Get index of child elements with event listener in JavaScript
As long as you're not using arrow function syntax in your callback you can use this
to reference the slides
element. Using ES6 spread syntax, you can spread its child elements into an array and then use indexOf
on that array to get the index of e.target
within it:
document.getElementById("slides").addEventListener("click", function(e) {
const idx = [...this.children]
.filter(el => el.className.indexOf('slide') > -1)
.indexOf(e.target);
if (idx > -1) {
console.log(`Slide index: ${idx}`);
}
});
<section id="slides">
<div class="slide">1</div>
<div class="slide">2</div>
<span>Not a slide</span>
<div class="slide">3</div>
</section>
Updated:
I updated my answer to include only elements having the class slide
by implementing the filter
method - without this, the index could be thrown off by sibling elements that are not slides.
You can use .indexOf()
and .querySelectorAll()
, feeding it the list of divs and the target as arguments.
document.getElementById("slides").addEventListener("click", function(e){
var nodes = document.querySelectorAll('#slides > .slide');
console.log([].indexOf.call(nodes, e.target));
});
<section id="slides">
<div class="slide">1</div>
<div class="slide">2</div>
<div class="slide">3</div>
</section>