I’m trying to make a simple loop:
JavaScript
x
6
1
const parent = this.el.parentElement
2
console.log(parent.children)
3
parent.children.forEach(child => {
4
console.log(child)
5
})
6
But I get the following error:
VM384:53 Uncaught TypeError: parent.children.forEach is not a function
Even though parent.children
logs:
What could be the problem?
Note: Here’s a JSFiddle.
Advertisement
Answer
First option: invoke forEach indirectly
The parent.children
is an Array like object. Use the following solution:
JavaScript
1
6
1
const parent = this.el.parentElement;
2
3
Array.prototype.forEach.call(parent.children, child => {
4
console.log(child)
5
});
6
The parent.children
is NodeList
type, which is an Array like object because:
- It contains the
length
property, which indicates the number of nodes - Each node is a property value with numeric name, starting from 0:
{0: NodeObject, 1: NodeObject, length: 2, ...}
See more details in this article.
Second option: use the iterable protocol
parent.children
is an HTMLCollection
: which implements the iterable protocol. In an ES2015 environment, you can use the HTMLCollection
with any construction that accepts iterables.
Use HTMLCollection
with the spread operatator:
JavaScript
1
6
1
const parent = this.el.parentElement;
2
3
[parent.children].forEach(child => {
4
console.log(child);
5
});
6
Or with the for..of
cycle (which is my preferred option):
JavaScript
1
6
1
const parent = this.el.parentElement;
2
3
for (const child of parent.children) {
4
console.log(child);
5
}
6