从数组数组中返回一个数组,其中每个项目是JavaScript中相应子数组中所有项目的总和

给定一个数组数组,每个数组包含一组数字。我们必须编写一个返回数组的函数,其中每个项目都是相应子数组中所有项目的总和。

例如-

如果输入数组是-

const numbers = [
   [1, 2, 3, 4],
   [5, 6, 7],
   [8, 9, 10, 11, 12]
];

那么我们函数的输出应该是-

const output = [10, 18, 50];

因此,让我们编写此函数的代码-

示例

const numbers = [
   [1, 2, 3, 4],
   [5, 6, 7],
   [8, 9, 10, 11, 12]
];
const sum = arr => arr.reduce((acc, val) => acc+val);
const sumSubArray = arr => {
   return arr.reduce((acc, val) => {
      const s = sum(val);
      acc.push(s);
      return acc;
   }, []);
};
console.log(sumSubArray(numbers));

输出结果

控制台中的输出将为-

[ 10, 18, 50 ]
猜你喜欢