JavaScript我如何遍历HTMLcollection中的每个当前和将来的元素?

时间:2018-09-22 20:54:16

标签: javascript loops htmlcollection

  

HTML DOM中的HTMLCollection处于活动状态;更改基础文档后,它会自动更新。

我试图为一个经常添加元素的网站编写一个简单的脚本,然后根据条件为这些元素重新着色。

现在,出于性能原因,我不想让循环持续运行并检查新元素。

我将如何使用实时HTML集合并在其中的每个元素上执行一个函数,甚至添加新元素?

如果我能做到这一点,它将导致脚本永远无法完成,并为所有新元素重新着色。

任何帮助表示赞赏!

1 个答案:

答案 0 :(得分:0)

我将使用MutationObserver完成此任务。它将监视节点的更改,并且如果需要,还将监视子树的更改(我认为这里不需要)。添加节点后,我们可以将节点发送给函数以在其上应用某些功能。在下面的示例中,我们只是随机选择一种颜色并设置背景。

let targetNode = document.getElementById('watch')

// Apply feature on the node
function colorNode(node) {
  let r = Math.floor(Math.random() * 255)
  let g = Math.floor(Math.random() * 255)
  let b = Math.floor(Math.random() * 255)
  node.style.background = `rgb(${r},${g},${b})`
}

// Watch the node for changes (you can watch the subTree if needed)
let observerOptions = {
  childList: true
}

// Create the callback for when the mutation gets triggered
let observer = new MutationObserver(mutationList => {
  // Loop over the mutations
  mutationList.forEach(mutation => {
    // For added nodes apply the color function
    mutation.addedNodes.forEach(node => {
      colorNode(node)
    })
  })
})

// Start watching the target with the configuration
observer.observe(targetNode, observerOptions)

/////////////////
/// Testing
/////////////////
// Apply the inital color
Array.from(targetNode.children).forEach(child => colorNode(child))

// Create nodes on an interval for testing
setInterval(() => {
  let newNode = document.createElement('div')
  // Some random text
  newNode.textContent = (Math.random() * 1000).toString(32)
  targetNode.appendChild(newNode)
}, 2000)
<div id="watch">
  <div>One</div>
  <div>Two</div>
  <div>Three</div>
</div>