使用get处理程序在代理上调用时,Array.prototype.forEach()不起作用

时间:2016-11-03 18:35:27

标签: javascript foreach ecmascript-6 iteration es6-proxy

我有以下代理:

const p = new Proxy({
  [Symbol.iterator]: Array.prototype.values,
  forEach: Array.prototype.forEach,
}, {
  get(target, property) {
    if (property === '0') return 'one';
    if (property === '1') return 'two';
    if (property === 'length') return 2;
    return Reflect.get(target, property);
  },
});

它是一个类似数组的对象,因为它具有数字属性和指定元素数量的length属性。我可以使用for...of循环迭代它:

for (const element of p) {
  console.log(element); // logs 'one' and 'two'
}

但是,forEach()方法无效。

p.forEach(element => console.log(element));

此代码不记录任何内容。永远不会调用回调函数。为什么它不起作用,我该如何解决?

代码段:



const p = new Proxy({
  [Symbol.iterator]: Array.prototype.values,
  forEach: Array.prototype.forEach,
}, {
  get(target, property) {
    if (property === '0') return 'one';
    if (property === '1') return 'two';
    if (property === 'length') return 2;
    return Reflect.get(target, property);
  },
});

console.log('for...of loop:');
for (const element of p) {
  console.log(element);
}

console.log('forEach():');
p.forEach(element => console.log(element));

<script src="https://cdnjs.cloudflare.com/ajax/libs/babel-polyfill/6.16.0/polyfill.min.js"></script>
&#13;
&#13;
&#13;

2 个答案:

答案 0 :(得分:6)

for...of循环和Array.prototype.forEach()之间的区别之一是前者使用@@iterator属性循环对象,而后者则从{{1}迭代属性} 0,仅当对象具有该属性时才执行回调。它使用length内部方法,在这种情况下,为每个数组元素返回[[HasProperty]]

解决方案是添加false处理程序,它将拦截has()次调用。

工作代码:

&#13;
&#13;
[[HasProperty]]
&#13;
const p = new Proxy({
  [Symbol.iterator]: Array.prototype.values,
  forEach: Array.prototype.forEach,
}, {
  get(target, property) {
    if (property === '0') return 'one';
    if (property === '1') return 'two';
    if (property === 'length') return 2;
    return Reflect.get(target, property);
  },
  has(target, property) {
    if (['0', '1', 'length'].includes(property)) return true;
    return Reflect.has(target, property);
  },
});

p.forEach(element => console.log(element));
&#13;
&#13;
&#13;

答案 1 :(得分:0)

还有一个相对简单的附加选项。使用 Array.from() 生成可以迭代的数组。

const a = Array.from(p);
a.forEach(element => console.log(element));

完整代码:

const p = new Proxy({
  [Symbol.iterator]: Array.prototype.values,
  forEach: Array.prototype.forEach,
}, {
  get(target, property) {
    if (property === '0') return 'one';
    if (property === '1') return 'two';
    if (property === 'length') return 2;
    return Reflect.get(target, property);
  },
});

const a = Array.from(p);
a.forEach(element => console.log(element));