Is it possible to append an element to a JavaScript nodeList?

前端 未结 5 1847

I\'m generating content dynamically, so I\'m often ending up with documentFragments which I\'m querying using querySelectorAll or querySelector

5条回答
  •  故里飘歌
    2021-02-13 06:05

    EDIT: As @Sniffer mentioned, NodeLists are read-only (both the length property and the items). You can manipulate everything else about them, like shown below, but it's probably better to convert them to arrays instead if you want to manipulate them.

    var list = document.querySelectorAll('div');
    var spans = document.querySelectorAll('span');
    
    push(list, spans);
    forEach(list, console.log); // all divs and spans on the page
    
    function push(list, items) {  
      Array.prototype.push.apply(list, items);
      list.length_ = list.length;
      list.length_ += items.length;
    }
    
    function forEach(list, callback) {
      for (var i=0; i

    It would probably be a better idea to turn the NodeList to an array instead (list = Array.prototype.slice(list)).

    var list = Array.prototype.slice.call(document.querySelectorAll('div'));
    var spans = Array.prototype.slice.call(document.querySelectorAll('span'));
    
    list.push.apply(list, spans);
    console.log(list); // array with all divs and spans on page
    

提交回复
热议问题