javascript数组格式通过for循环

时间:2015-01-25 19:00:00

标签: javascript arrays for-loop

我在这里做错了什么?我收到TypeError: items[i] is undefined错误。

var items = [];
for(var i = 1; i <= 3; i++){
    items[i].push('a', 'b', 'c');
}
console.log(items);

我需要一个输出,如下所示,

[
    ['a', 'b', 'c'],
    ['a', 'b', 'c'],
    ['a', 'b', 'c']
]

1 个答案:

答案 0 :(得分:1)

您可以简单地使用以下内容:

items.push(['a', 'b', 'c']);

无需使用索引访问数组,只需按下另一个数组。

.push()方法会自动将其添加到数组的 end

var items = [];
for(var i = 1; i <= 3; i++){
    items.push(['a', 'b', 'c']);
}
console.log(items);

作为旁注,值得指出以下内容可行:

var items = [];
for(var i = 1; i <= 3; i++){
    items[i] = []; // Define the array so that you aren't pushing to an undefined object.
    items[i].push('a', 'b', 'c');
}
console.log(items);