第一个选项:间接调用 forEach
的parent.children
是像对象的数组。使用以下解决方案:
const parent = this.el.parentElement;
Array.prototype.forEach.call(parent.children, child => {
console.log(child)
});
的parent.children
ISNodeList
类型,就像对象,因为数组:
- 它包含
length
表示节点数的属性
- 每个节点都是一个带有数字名称的属性值,从 0 开始:
{0: NodeObject, 1: NodeObject, length: 2, ...}
请参阅本文中的更多详细信息。
第二种选择:使用可迭代协议
parent.children
是一个HTMLCollection
:它实现了可迭代协议。在 ES2015 环境中,您可以将HTMLCollection
与任何接受迭代的构造一起使用。
使用HTMLCollection
与传播operatator:
const parent = this.el.parentElement;
[...parent.children].forEach(child => {
console.log(child);
});
或者使用for..of
循环(这是我的首选):
const parent = this.el.parentElement;
for (const child of parent.children) {
console.log(child);
}