我正在尝试将数组的元素合并为一个大数组。但我收到一条消息说:
ReferenceError: reduce is not defined
这是我的代码:
var arrays = [[1, 2, 3], [4, 5], [6]];
console.log(reduce(arrays, function(arrayOne, arrayTwo){
return arrayOne.concat(arrayTwo);
}, 0));
答案 0 :(得分:1)
reduce()
仅在数组上定义,您不能单独调用它:
arrays.reduce(
function (a, b) { return a.concat(b); }
);
// Array [ 1, 2, 3, 4, 5, 6 ]
答案 1 :(得分:1)
reduce()
是Array
对象的一种方法,因此您必须使用arrays.reduce()
。
此外,由于您的初始值设置为0
(第二个参数),因此您不能使用arrayOne.concat
,因为它不是数组,因此您必须将初始值设置为[]
。
var arrays = [[1, 2, 3], [4, 5], [6]];
console.log(arrays.reduce(function(arrayOne, arrayTwo){
return arrayOne.concat(arrayTwo);
}, []));
请注意,调用Array.flat
会更容易:
var arrays = [[1, 2, 3], [4, 5], [6]];
// If you expect a multi-level nested array, you should increase the depth.
var depth = 1;
console.log(arrays.flat(depth));