Scroll to the bottom doesn't work due to font link

64 Views Asked by At

Can someone please explain what's going on here?

As you can see in the example, the scroll does not go all the way down to the bottom

This is of course a problem as it does not behave according to the instructions, which is:
scrollIntoView() or target.scroll (0, target.scrollHeight - target.clientHeight);

Strangely enough, it has something to do with the "font link" in "<head>", because if I use any font other than the one that has been downloaded (Poppins), it works

var html_1 = '<div class="chat_window"><div class="messages"></div></div>';
var html_2 = '<div>hello buddy</div>';

document.body.insertAdjacentHTML('beforeend', html_1);
var target = document.querySelector('.chat_window').querySelector('.messages');

for(var i = 0; i < 9; i++) {

    target.insertAdjacentHTML('beforeend', html_2);
    //target.scroll(0, target.scrollHeight - target.clientHeight);
    target.lastElementChild.scrollIntoView();

}
body 
{
    font-family: Poppins; /*here, because of this the problem arise*/
}

.chat_window 
{
    height: 113px;
    width: 339px;
    border: 1px solid black;
}

.chat_window .messages 
{
    height: 100%;
    overflow: auto;
}
<head>
    <link href="http://fonts.googleapis.com/css?family=Poppins:400,300,500,600,700" rel="stylesheet">
</head>

<body></body>

1

There are 1 best solutions below

3
On

The problem is the time needed to dynamically render the HTML and load the font. There are a few options, but might be seen as a little hacky.

  • Make sure you are using the same font somewhere else on the page. This will cause the browser to load the font (otherwise the browser may ignore the font until it is needed)

  • Delay the scroll a little after you render the HTML with JavaScript.

A minor change like this could work:

var html_1 = '<div class="chat_window"><div class="messages"></div></div>';
var html_2 = '<div>hello buddy</div>';
    
document.body.insertAdjacentHTML('beforeend', html_1);
var target = document.querySelector('.chat_window').querySelector('.messages');
    
for(var i = 0; i < 9; i++) {
  target.insertAdjacentHTML('beforeend', html_2);
}

// A short delay, then jump to last item.
setTimeout(function(){
    target.scroll(0, target.scrollHeight - target.clientHeight);
    target.lastElementChild.scrollIntoView();
},500);
body{
 font-family: Poppins;
}
.chat_window{
    height: 113px;
    width: 339px;
    border: 1px solid black;
}
.chat_window .messages{
    height: 100%;
    overflow: auto;
}
<head>
    <link href="http://fonts.googleapis.com/css?family=Poppins:400,300,500,600,700" rel="stylesheet">
</head>

<body>(forcing the font to load)</body>