我有一个像这样的数组
var updates = [];
然后我按照这个将数据添加到数组中
updates["func1"] = function () { x += 5 };
当我用for循环调用函数时,它按预期工作
for(var update in updates) {
updates[update]();
}
但是当我使用forEach时它不起作用!?
updates.forEach(function (update) {
update();
});
forEach绝对可以在我的浏览器中使用google chrome,我做错了什么?
答案 0 :(得分:15)
forEach遍历indexes
而不是properties
。你的代码:
updates["func1"] = "something";
向对象添加属性 - 顺便提一下,它是一个数组 - 而不是数组的元素。 实际上,它相当于:
updates.func1 = "something";
如果你需要类似hashmap的东西,那么你可以使用普通对象:
updates = {};
updates["func1"] = "something";
然后使用for…in
shouldn't be used on arrays
或者你可以使用Object.keys来检索迭代它们的属性:
Object.keys(updates).forEach(function(key) {
console.log(key);
});
答案 1 :(得分:6)
您没有将项添加到数组中,而是将对象属性添加到数组对象中。 for .. in
将返回所有属性,forEach
仅迭代数组元素。
要添加到数组,您可以这样做:
updates.push(function () { x += 5 });
如果您打算以您的方式添加,那么只需使用对象而不是数组:
var updates = {}
然后使用for ... in
。