EN
JavaScript - change navbar style on scroll bottom event
0 points
In this article, we would like to show you how to change navbar style on scroll event using JavaScript.
Quick solution:
xxxxxxxxxx
1
var navbar = document.querySelector('.element'); // gets element by class
2
3
window.onscroll = function() {
4
if (document.body.scrollTop >= 20 || document.documentElement.scrollTop >= 20 ) {
5
navbar.classList.add('blue'); // adds "blue" class when page is scrolled 20px down
6
}
7
else {
8
navbar.classList.remove('blue'); // removes class when page is scrolled back to top
9
}
10
};
In this example, we present how to change the navbar
element color when we scroll the web page 20px
to the bottom.
xxxxxxxxxx
1
2
<html>
3
<head>
4
<style>
5
6
.container {
7
height: 500px;
8
}
9
10
.navbar {
11
width: 100%;
12
height: 20px;
13
position: sticky;
14
top: 0;
15
background: lightblue;
16
transition: 0.5s;
17
}
18
19
.blue {
20
background: blue;
21
}
22
23
24
</style>
25
</head>
26
<body style="height: 100px">
27
<div class="container">
28
<div class="navbar"></div>
29
</div>
30
<script>
31
32
var navbar = document.querySelector('.navbar');
33
34
function updateStyle() {
35
if (document.body.scrollTop >= 20 || document.documentElement.scrollTop >= 20 ) {
36
navbar.classList.add('blue');
37
}
38
else {
39
navbar.classList.remove('blue');
40
}
41
}
42
43
document.addEventListener('scroll', updateStyle);
44
45
</script>
46
</body>
47
</html>
Explanation:
- We use
addEventListener
to addscroll
event to the window element, so theupdateStyle()
function will be called every time we scroll the web page, - every time the
updateStyle()
function is called, it checks the distance from the top (scrollTop
property), if it is more than20px
it adds theblue
class to thenavbar
element or removes it if it's less than20px
, position: sticky
withtop: 0
makes thenavbar
always visible at the top of the web page,transition: 0.5s
makes smooth color change effect.
Note:
In the solution we use both
document.body
anddocument.documentElement
:xxxxxxxxxx
1if (document.body.scrollTop >= 20 || document.documentElement.scrollTop >= 20 )
because of the browsers compatibility, to make sure it always works.