I’m new to JS, but I was hoping there might be a selector like document.getElementsByClassName("div:not(div-1)")
that selects elements by class name, unless they also have another class name, that I can define.
Basically my project is a list of movies and their genres.
Using an onclick
function, if you click on a genre, I’m trying to hide all other movies that don’t belong to that genre. Now I’m looking for a way to select the DIVs without having to add a “not-comedy”, “not-action”, etc… class to every single movie.
So far I got this:
JavaScript
x
12
12
1
function test() {
2
var x = document.getElementsByClassName("movie-div");
3
var i;
4
for (i=0; i < x.length; i++) {
5
if (x[i].style.display === "none") {
6
x[i].style.display = "block";
7
} else {
8
x[i].style.display = "none";
9
}
10
}
11
}
12
Advertisement
Answer
Use querySelectorAll with i.e: the :not()
selector
JavaScript
1
5
1
const ELS_x = document.querySelectorAll(".x:not(.zzz)");
2
ELS_x.forEach(EL => {
3
// do something with EL
4
EL.classList.toggle("active");
5
});
JavaScript
1
1
1
.active {background: gold;}
JavaScript
1
3
1
<div class="x">a</div>
2
<div class="x zzz">b</div>
3
<div class="x">a</div>
or if you want to do the class check inside the loop use classList.contains()
JavaScript
1
7
1
const ELS_x = document.querySelectorAll(".x");
2
ELS_x.forEach(EL => {
3
if (!EL.classList.contains("zzz")) {
4
// do something with NON .zzz Elements
5
EL.classList.toggle("active");
6
}
7
});
JavaScript
1
1
1
.active {background: gold;}
JavaScript
1
3
1
<div class="x">a</div>
2
<div class="x zzz">b</div>
3
<div class="x">a</div>
if you want to filter out some Elements, use .filter()
JavaScript
1
7
1
const ELS_x = document.querySelectorAll(".x");
2
const ELS_without_zzz = [ELS_x].filter(EL => !EL.classList.contains("zzz"));
3
4
ELS_without_zzz.forEach(EL => {
5
// do something with NON .zzz Elements
6
EL.classList.toggle("active")
7
});
JavaScript
1
1
1
.active {background: gold;}
JavaScript
1
3
1
<div class="x">a</div>
2
<div class="x zzz">b</div>
3
<div class="x">a</div>