14

我有一个这样的数组

var updates = [];

然后我像这样将东西添加到数组中

updates["func1"] = function () { x += 5 };

当我使用 for 循环调用函数时,它按预期工作

for(var update in updates) {
     updates[update]();
}

但是当我使用 forEach 时它不起作用!?

updates.forEach(function (update) {

    update();
});

forEach 绝对可以在我的 google chrome 浏览器中运行,我做错了什么?

4

2 回答 2

24

forEach迭代而indexes不是 over properties。你的代码:

updates["func1"] = "something";

将属性添加到对象 - 顺便说一下是数组 - 而不是数组的元素。事实上,它相当于:

updates.func1 = "something";

如果您需要类似 hashmap 的东西,那么您可以使用普通对象:

updates = {};

updates["func1"] = "something";

然后迭代 using for…in不应该在数组上使用

或者您可以使用Object.keys检索属性并对其进行迭代:

Object.keys(updates).forEach(function(key) {
    console.log(key);
}); 
于 2013-04-06T02:21:09.843 回答
6

您没有将项目添加到数组中,而是将对象属性添加到数组对象中。 for .. in将返回所有属性,forEach仅迭代数组元素。

要添加到数组中,您可以这样做:

updates.push(function () { x += 5 });

如果您打算按照自己的方式添加,那么只需使用对象而不是数组:

var updates = {}

然后使用for ... in.

于 2013-04-06T02:18:38.953 回答