Add Class to every 3rd Element with Javascript

泄露秘密 提交于 2019-12-23 12:28:00

问题


I'm trying to select every third element of a parent with javascript and add a css class to it. Sounds pretty simple to me but I can't get it work. I found this thread which looked quite nice to me to get that done, but I'm such a wuss with javascript that my tries didn't work out:

var nodes = document.getElementsByClassName("ParentsClassName").childNodes;
for(i=0; i<nodes.length; i+=3) {
  this.className += ' newClassName';
}​

When I load this, nothing happens at all.
Any fixes, eyeopeners and tips appreciated.
Greetings, Marian


回答1:


var parents = document.getElementsByClassName("someClass"),
    forEach = Array.prototype.forEach.call.bind(Array.prototype.forEach),
    filter = Array.prototype.filter.call.bind(Array.prototype.filter)

forEach(parents, addClassToEveryThirdChild)

function addClassToEveryThirdChild(parent) {
    filter(parent.children, selectEveryThirdChild)
        .forEach(addSomeClass)
}

function selectEveryThirdChild(elem, i) {
    return i % 3 === 0
}

function addSomeClass(elem) {
    elem.classList.add("newClassName")
}

Or with loops

var parents = document.getElementsByClassName("someClass")

for (var i = 0, ii = parents.length; i < ii; i++) {
    var parent = parents[i],
        children = parent.children

    for (var j = 0, jj = children.length; j < jj; j++) {
        var elem = children[j]
        if (j % 3 === 0) {
            elem.classList.add("newClassName")
        }
    }
}



回答2:


I found that the most straight-forward approach to determining every third, is to add 1 to index when doing the modulus:

var nodes = //get nodes

for(var i = 0; i < nodes.length; i++) {
  var isThirdIteration = (i + 1) % 3 === 0;

  if (isThirdIteration) {
    this.className += ' newClassName';
  }
}​



回答3:


You can do it with pure CSS. Javascript isn't needed ;)

Example: .parent .child:nth-of-type(3n+3)




回答4:


This returns a list of elements:

document.getElementsByClassName("ParentsClassName")

You can either iterate over the list, or select an index:

document.getElementsByClassName("ParentsClassName")[0].childNodes;


来源:https://stackoverflow.com/questions/10385140/add-class-to-every-3rd-element-with-javascript

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!