Force DOM redraw/refresh on Chrome/Mac
Asked Answered
G

25

256

Every once in a while, Chrome will render perfectly valid HTML/CSS incorrectly or not at all. Digging in through the DOM inspector is often enough to get it to realize the error of its ways and redraw correctly, so it's provably the case that the markup is good. This happens frequently (and predictably) enough in a project I'm working on that I've put code in place to force a redraw in certain circumstances.

This works in most browser/os combinations:

    el.style.cssText += ';-webkit-transform:rotateZ(0deg)'
    el.offsetHeight
    el.style.cssText += ';-webkit-transform:none'

As in, tweak some unused CSS property, then ask for some information that forces a redraw, then untweak the property. Unfortunately, the bright team behind Chrome for the Mac seem to have found a way to get that offsetHeight without redrawing. Thus killing an otherwise useful hack.

Thus far, the best I've come up with to get the same effect on Chrome/Mac is this piece of ugliness:

    $(el).css("border", "solid 1px transparent");
    setTimeout(function()
    {
        $(el).css("border", "solid 0px transparent");
    }, 1000);

As in, actually force the element to jump a bit, then chill a second and jump it back. Making it worse, if you drop that timeout below 500ms (to where it would be less noticeable), it often won't have the desired effect, since the browser won't get around to redrawing before it goes back to its original state.

Anybody care to offer a better version of this redraw/refresh hack (preferably based on the first example above) that works on Chrome/Mac?

Gotthard answered 12/1, 2012 at 18:47 Comment(8)
I ran into the same problem a few minutes ago. I change the element for a div (it was a span) and now the browser redraws the changes correctly. I know this is a little bit old but this can help some bros out there I think.Obelize
Please see the answer below relating to opacity 0.99 - the best answer here - but not easy to find as it is so deep on the page.Wyon
This happens on Linux too :-(Terrenceterrene
You can replace the timeout with a requestAnimationFrame, in which case you'll achieve the same thing but with a lag of 16ms instead of 1000ms.Groh
Please file a Chromium issue for the invalid rendering. It appears that no-one has done so, despite this being 4 years ago.Zicarelli
This question should at least have a jQuery tag.Zuniga
I do not have this issue in Chromium 65, but I do have this issue with Chrome 64, so this issue might already be fixed in latest ChromeNovanovaculite
hello guys, our project is using somthing like below to force redraw: ``` disp = coreArea.style.display; coreArea.style.display = 'none'; coreArea.offsetHeight; coreArea.style.display = disp; ``` this code is in a event handler. when I run it in chrome on ios, I got an issue. The event behind the event include the force redraw logic never trigger. Does any one know why?Assumpsit
J
197

Not sure exactly what you're trying to achieve but this is a method I have used in the past with success to force the browser to redraw, maybe it will work for you.

// in jquery
$('#parentOfElementToBeRedrawn').hide().show(0);

// in plain js
document.getElementById('parentOfElementToBeRedrawn').style.display = 'none';
document.getElementById('parentOfElementToBeRedrawn').style.display = 'block';

If this simple redraw doesn't work you can try this one. It inserts an empty text node into the element which guarantees a redraw.

var forceRedraw = function(element){

    if (!element) { return; }

    var n = document.createTextNode(' ');
    var disp = element.style.display;  // don't worry about previous display style

    element.appendChild(n);
    element.style.display = 'none';

    setTimeout(function(){
        element.style.display = disp;
        n.parentNode.removeChild(n);
    },20); // you can play with this timeout to make it as short as possible
}

EDIT: In response to Šime Vidas what we are achieving here would be a forced reflow. You can find out more from the master himself http://paulirish.com/2011/dom-html5-css3-performance/

Judgeship answered 12/1, 2012 at 18:58 Comment(10)
Afaik, it is not possible to redraw only a part of the viewport. The browser always redraws the entire web-page.Diverticulitis
No, neither hiding/showing it nor removing it/replacing it forces a redraw on Chrome/Mac. And, of course, on other browsers there is a much less intrusive way to achieve the redraw.Gotthard
instead of $('#parentOfElementToBeRedrawn').hide().show(); I needed .hide.show(0) to work properly in ChromeCarden
@Carden same here - this makes no sense... but thanks. How the heck did you find out??? :)Sapers
FYI, the relevant area I was working on was an infinite scroll list. It was a bit unworkable to hide/show the entire UL, so I played around and found that if you do .hide().show(0) on any element (I chose the page footer) it should refresh the page.Ardie
This worked for me in chrome. Seeing weird drag and drop artifacts occasionally. This should be the accepted answer.Canberra
It is possible to redraw only part of the viewport. There is no API to do so, but the browser can choose to do so. The viewport is painted in tiles to begin with. And composite layers are painted independently.Extremism
$(this).parent().hide().show(0) worked for me, as I wasn't able to hard-code the particular parent element.Besprent
Setting a element to display="block" regardless of it's original display type is probably no good idea. @aviomaksim answer provides a better vanilla JavaScript solution.Chariot
In the process of using this method, I discovered a bug in Google Chrome--if a system dialogue (e.g. alert, prompt) is up right after the forced repaint, it won't show up and the renderer gets stuck. The conditions it happened under are very specific so I won't claim that this will always happen, but in my case it made prototyping my software a pain.Hasid
C
73

None of the above answers worked for me. I did notice that resizing my window did cause a redraw. So this did it for me:

$(window).trigger('resize');
Coffelt answered 2/9, 2014 at 10:16 Comment(3)
hint: this will redraw your complete window, which is performance costly and probably not what OP wantsKanishakanji
Resizing the window always triggers a reflow but the code $(window).trigger('resize') doesn't, it only throws the 'resize' event that triggers the related handler if it is assigned.Goings
You save me a whole week! My issue is after setting <body style="zoom:67%">, the page zoomed to my expected level, but the page is freezed and can not scroll!. Your answer solved this issue immediatelyAquifer
E
47

We recently encountered this and discovered that promoting the affected element to a composite layer with translateZ fixed the issue without needing extra javascript.

.willnotrender { 
   transform: translateZ(0); 
}

As these painting issues show up mostly in Webkit/Blink, and this fix mostly targets Webkit/Blink, it's preferable in some cases. Especially since many JavaScript solutions cause a reflow and repaint, not just a repaint.

Extremism answered 15/1, 2015 at 19:56 Comment(6)
this worked fine for me when the issue was a removed HTML element being drawn on a canvas even though canvas was continuously animated.Polaris
This fixed a layout issue I was having with neon-animated-pages. Thank you :+1:Conflux
This worked. Safari was leaving elements that where in a div set to display none, visible and not select-able. Resizing the window made them disappear. Adding this transform caused the "artifacts" to disappear as expected.Hoelscher
This is great thanks! It worked. It's 2020, and this hack is from January '15. Any idea why this issue has not been fixed?Incapacious
z-index: 0;, seems to work as well, which causes less z layering disruption (in my use case) than the transform in this answer did.Gathering
Fixes issues I have with rotated SVG elements not rendering in mobile Safari, 2021Epistasis
L
35

This solution without timeouts! Real force redraw! For Android and iOS.

var forceRedraw = function(element){
  var disp = element.style.display;
  element.style.display = 'none';
  var trick = element.offsetHeight;
  element.style.display = disp;
};
Lamoureux answered 15/7, 2014 at 8:40 Comment(2)
This does not work for me on Chrome nor FF on Linux. However simply accessing element.offsetHeight (without modifying the display property) does work. It's as is the browser would skip the offsetHeight calculation when the element is not visible.Heder
This solution works perfectly for working around a bug I encountered in the chrome-based browser used in "overwolf". I was trying to figure out how to do this and you saved me the effort.Centroclinal
E
13

This works for me. Kudos go here.

jQuery.fn.redraw = function() {
    return this.hide(0, function() {
        $(this).show();
    });
};

$(el).redraw();
Engorge answered 17/5, 2013 at 17:49 Comment(6)
But it left some 'remains' like 'display: block' etc that sometimes can destroy page structure.Lab
This should essentially be the same as $().hide().show(0)Mitosis
@Mitosis did you try it? In my guess .hide() is non-blocking thus it would skip the re-rendering run in the browser aka the whole point of the method. (And if I remember correctly, I tested it back then.)Engorge
@Engorge it's tested and working on Chrome 38. The trick is that show() is different from show(0) in that by specifying a duration in the latter, it's triggered by jQuery animation methods in a timeout rather that immediately which gives time to render in the same way that hide(0, function() { $(this).show(); }) does.Mitosis
@Mitosis okay nice catch then. I'm definitely for your solution if it works cross platform and isn't a recent jQuery feature. As I don't have the time to test it, I'll add it as 'may work'. You are welcome to edit the answer if you think the above apply.Engorge
@Mitosis let me elaborate. Defining the .redraw() jQuery method is useful for lowering the cognitive load. Using .hide().show(0) directly would require more documentation, so it's rather only about the implementation details of the .redraw() method.Engorge
G
10

Hiding an element and then showing it again within a setTimeout of 0 will force a redraw.

$('#page').hide();
setTimeout(function() {
    $('#page').show();
}, 0);
Greyhen answered 5/3, 2014 at 3:28 Comment(2)
This one worked for a Chrome bug where SVG filters sometimes don't repaint, bugs.chromium.org/p/chromium/issues/detail?id=231560. The timeout was important.Phlebitis
This is the one that worked for me while trying to force Chrome to recalculate values for myElement.getBoundingClientRect(), which were being cached, likely for optimization / performance purposes. I simply added a zero millisecond timeout for the function that adds the new element to the DOM and gets the new values after the old element with the previous (cached) values was removed from the DOM.Bloodstock
M
7

This seems to do the trick for me. Plus, it really doesn't show at all.

$(el).css("opacity", .99);
setTimeout(function(){
   $(el).css("opacity", 1);
},20);
Montmartre answered 29/4, 2015 at 14:14 Comment(8)
It worked for me in Chromium Version 60.0.3112.113 regarding this bug: Issue 727076. Efficient and subtle; many thanks.Sarnoff
@wiktus239 Maybe 20 millis is too fast and the browser doesn't have time to change to .99, before time to change back to 1.0? — This opacity trick works for me anyway, to make contents in an iframe visible in iPhone iOS 12 Safari, and I toggle every 1 000 millis. That's also what's in the linked issue 727076 in the comment above (1000 millis).Halophyte
@LonnieBest do you know if anything else contributed to the problem? Like maybe the size of your DOM. This solution worked for me in one part of the app but didn't in another part, so I suspect that something else is at play.Nancee
@UcheOzoemena Yeah, if I recall well, that project had way more DOM elements than normal (mainly tables with many rows). If this trick isn't working for you, consider putting a setTimeout(function(){},0); into the mix so that the adjustment occurs later.Sarnoff
@LonnieBest thanks, yeah I already tried with setTimeout(() => {}, 0) without any luck :(Nancee
@UcheOzoemena Assuming the trick above was in the body of the setTimeout's function, you may try to increase the second argument to something much greater than zero just to see if you can finally get the trick to work. It gets involved when you're doing async programming; you might have to create a promise that tells you when everything else is done, and then do the trick. Odds are, you're doing the trick before the correct time.Sarnoff
@LonnieBest oh geez trust me I'm seeing just involved it gets! Anyways yeah I already have that type of promise mechanism in place but for a different problem. Do you recall if there were any other strategies you used to manage problems like this in that project? I'm worried that I may not get closer to the root cause if a longer timeout is needed.Nancee
@UcheOzoemena I'm not suggesting that a longer timeout should be your final solution, but if that works it tells you that you're doing the fade-trick too early. Discover how to instead do it immediately after the corrupted rendering. Review javascript event loop for your async programming. Understand when DOM changes get rendered. This trick causes re-rendering, if you do it AFTER.Sarnoff
B
7

2020: Lighter and stronger

The previous solutions don't work anymore for me.

I guess browsers optimize the drawing process by detecting more and more "useless" changes.

This solution makes the browser draw a clone to replace the original element. It works and is probably more sustainable:

const element = document.querySelector('selector');
if (element ) {
  const clone = element.cloneNode(true);
  element.replaceWith(clone);
}

tested on Chrome 80 / Edge 80 / Firefox 75

Behnken answered 3/4, 2020 at 7:50 Comment(3)
This isn't a good idea if you have event listeners hooked up to your element. You'll have to re-add them to the element after replacing the element.Cleopatra
This doesn't work in a loop in Chrome in 2021.Saltish
This will not work if you have event listeners. The event will not work anymore.Disembroil
R
4

call window.getComputedStyle() should force a reflow

Racemic answered 10/3, 2014 at 9:42 Comment(1)
didn't work for me, but that's probably because I needed the offsetHeight property which is not css.Ernieernst
M
3

I ran into this challenge today in OSX El Capitan with Chrome v51. The page in question worked fine in Safari. I tried nearly every suggestion on this page - none worked right - all had side-effects... I ended up implementing the code below - super simple - no side-effects (still works as before in Safari).

Solution: Toggle a class on the problematic element as needed. Each toggle will force a redraw. (I used jQuery for convenience, but vanilla JavaScript should be no problem...)

jQuery Class Toggle

$('.slide.force').toggleClass('force-redraw');

CSS Class

.force-redraw::before { content: "" }

And that's it...

NOTE: You have to run the snippet below "Full Page" in order to see the effect.

$(window).resize(function() {
  $('.slide.force').toggleClass('force-redraw');
});
.force-redraw::before {
  content: "";
}
html,
body {
  height: 100%;
  width: 100%;
  overflow: hidden;
}
.slide-container {
  width: 100%;
  height: 100%;
  overflow-x: scroll;
  overflow-y: hidden;
  white-space: nowrap;
  padding-left: 10%;
  padding-right: 5%;
}
.slide {
  position: relative;
  display: inline-block;
  height: 30%;
  border: 1px solid green;
}
.slide-sizer {
  height: 160%;
  pointer-events: none;
  //border: 1px solid red;

}
.slide-contents {
  position: absolute;
  top: 10%;
  left: 10%;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>

<p>
  This sample code is a simple style-based solution to maintain aspect ratio of an element based on a dynamic height.  As you increase and decrease the window height, the elements should follow and the width should follow in turn to maintain the aspect ratio.  You will notice that in Chrome on OSX (at least), the "Not Forced" element does not maintain a proper ratio.
</p>
<div class="slide-container">
  <div class="slide">
    <img class="slide-sizer" src="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7">
    <div class="slide-contents">
      Not Forced
    </div>
  </div>
  <div class="slide force">
    <img class="slide-sizer" src="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7">
    <div class="slide-contents">
      Forced
    </div>
  </div>
</div>
Magavern answered 2/7, 2016 at 7:39 Comment(0)
G
2

If you want to preserve the styles declared into your stylesheets, better to use something like:

jQuery.fn.redraw = function() {
    this.css('display', 'none'); 
    var temp = this[0].offsetHeight;
    this.css('display', '');
    temp = this[0].offsetHeight;
};

$('.layer-to-repaint').redraw();

NB: with latest webkit/blink, storing the value of offsetHeight is mandatory in order to trigger the repaint, otherwise the VM (for optimizations purposes) will probably skip that instruction.

Update: added the second offsetHeight reading, it is necessary to prevent browser from queueing/caching a following CSS property/class change with the restore of the display value (this way a CSS transition that can follow should be rendered)

Goings answered 22/4, 2015 at 17:2 Comment(0)
E
2

It helped me

domNodeToRerender.style.opacity = 0.99;
setTimeout(() => { domNodeToRerender.style.opacity = '' }, 0);
Earreach answered 26/11, 2019 at 16:5 Comment(0)
C
1

CSS only. This works for situations where a child element is removed or added. In these situations, borders and rounded corners can leave artifacts.

el:after { content: " "; }
el:before { content: " "; }
Curlicue answered 2/8, 2014 at 9:17 Comment(0)
J
1
function resizeWindow(){
    var evt = document.createEvent('UIEvents');
    evt.initUIEvent('resize', true, false,window,0);
    window.dispatchEvent(evt); 
}

call this function after 500 milliseconds.

Jocasta answered 7/7, 2016 at 21:35 Comment(2)
And why not after 100 milliseconds?Wispy
The idea is not to use timeouts. A clean and easy way as some of the answers above.Epicarp
A
1

I wanted to return all the states to the previous state (without reloading) including the elements added by jquery. The above implementation not gonna works. and I did as follows.

// Set initial HTML description
var defaultHTML;
function DefaultSave() {
  defaultHTML = document.body.innerHTML;
}
// Restore HTML description to initial state
function HTMLRestore() {
  document.body.innerHTML = defaultHTML;
}



DefaultSave()
<input type="button" value="Restore" onclick="HTMLRestore()">
Alithea answered 21/2, 2019 at 7:13 Comment(0)
D
1

Below css works for me on IE 11 and Edge, no JS needed. scaleY(1) does the trick here. Seems the simplest solution.

.box {
    max-height: 360px;
    transition: all 0.3s ease-out;
    transform: scaleY(1);
}
.box.collapse {
    max-height: 0;
}
Dubiety answered 16/7, 2019 at 5:38 Comment(0)
S
1

October 2020, the problem still persists with Chrome 85.

morewry's solution of using transform:translateZ(0) works, actually, any transformation works, including translate(0,0) and scale(1), but if you must update the element again, then the trick is to toggle the transformation, and the best way is to directly remove it, after one frame, using requestAnimationFrame (setTimeout should always be avoided because it will be slower so it can cause glitches).

So, the update one element:

    function refresh_element(node) {
        // you can use scale(1) or translate(0, 0), etc
        node.style.setProperty('transform', 'translateZ(0)');
        // this will remove the property 1 frame later
        requestAnimationFrame(() => {
            node.style.removeProperty('transform');
        });
    }
Sarcous answered 5/10, 2020 at 23:50 Comment(2)
To clarify: the transform solution I posted at the time I originally posted it did need translateZ and didn't need to be toggled. The fix was based on the fact that, at the time, only 3d transformations were reliably promoted composite layers. Composite layers could be repainted independently and were thus prioritized for painting: therefore unlikely to be skipped in optimizations. 5 years later... I bet there are subtle but significant changes.Extremism
This worked for me. Thank you for posting.Coeducation
K
1

this work for me after 20ms :

const forceRedraw = elem => {
  const t = elem.ownerDocument.createTextNode(' ') ;
  elem.appendChild(t) ;
  setTimeout(() => { elem.removeChild(t) }, 0) ;
}
Kenn answered 20/7, 2022 at 1:9 Comment(0)
C
0

An approach that worked for me on IE (I couldn't use the display technique because there was an input that must not loose focus)

It works if you have 0 margin (changing the padding works as well)

if(div.style.marginLeft == '0px'){
    div.style.marginLeft = '';
    div.style.marginRight = '0px';
} else {
    div.style.marginLeft = '0px';
    div.style.marginRight = '';
}
Confirmation answered 19/7, 2013 at 18:6 Comment(0)
M
0

Sample Html:

<section id="parent">
  <article class="child"></article>
  <article class="child"></article>
</section>

Js:

  jQuery.fn.redraw = function() {
        return this.hide(0,function() {$(this).show(100);});
        // hide immediately and show with 100ms duration

    };

call function:

$('article.child').redraw(); //<==bad idea

$('#parent').redraw();
Magnificent answered 30/10, 2014 at 18:8 Comment(1)
also works with .fadeIn(1) instead of .show(300) for me - not pushing the element around. So i guess, it is the triggering of display:noneand back to blockXerox
Q
0

My fix for IE10 + IE11. Basically what happens is that you add a DIV within an wrapping-element that has to be recalculated. Then just remove it and voila; works like a charm :)

    _initForceBrowserRepaint: function() {
        $('#wrapper').append('<div style="width=100%" id="dummydiv"></div>');
        $('#dummydiv').width(function() { return $(this).width() - 1; }).width(function() { return $(this).width() + 1; });
        $('#dummydiv').remove();
    },
Quadrennial answered 7/4, 2015 at 13:20 Comment(0)
T
0

Most answers require the use of an asynchroneous timeout, which causes an annoying blink.

But I came up with this one, which works smoothly because it is synchroneous:

var p = el.parentNode,
    s = el.nextSibling;
p.removeChild(el);
p.insertBefore(el, s);
Tate answered 12/12, 2015 at 23:57 Comment(1)
Would any attached events to these elements still work?Marleen
A
0

This is my solution that worked for disappearing content...

<script type = 'text/javascript'>
    var trash_div;

    setInterval(function()
    {
        if (document.body)
        {
            if (!trash_div)
                trash_div = document.createElement('div');

            document.body.appendChild(trash_div);
            document.body.removeChild(trash_div);
        }
    }, 1000 / 25); //25 fps...
</script>
Aboral answered 15/2, 2016 at 15:3 Comment(0)
A
-1

I ran into a similar issue and this simple line of JS helped to fix it:

document.getElementsByTagName('body')[0].focus();

In my case it was a bug with a Chrome extension not redrawing the page after changing its CSS from within the extension.

Antimonyl answered 7/7, 2017 at 0:42 Comment(1)
This is breaks keyboard accessibility.Capua
P
-1

I had a react component list which when scrolled, then opened another page, then when returning back the list was not rendered on Safari iOS until page was scrolled. So this is the fix.

    componentDidMount() {
        setTimeout(() => {
            window.scrollBy(0, 0);
        }, 300);
    }
Pyrogenous answered 6/3, 2019 at 15:12 Comment(0)

© 2022 - 2024 — McMap. All rights reserved.