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

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


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 pagefunction 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<list.length_; i++) {    callback(list[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


I have another suggestion. You can select multiple nodes by query separator (,), This code will save all h2 and h3 tags saved in nodes variable:

var nodes = document.querySelectorAll('h2, h3');


Unlike previously described element selection methods, the NodeList returned by querySelectorAll()is not live: it holds the elements that match the selector at the time the method was invoked, but it does not update as the document changes. [1]

The NodeList in this case is not alive, so if you add/remove anything to/from it, then it won't have any effect on the document structure.

A NodeList is a read-only array-like object. [1]

[1]: JavaScript: The Definitive Guid, David Flanagan