5

我想像这样对数组求和

1 1 2 =4

2 2 1 =5

3 3 1 =7

= = =

6 6 4

我想在 html 中使用 java 脚本打印这样的数组总和。

4

1 回答 1

15

首先将问题分解成更小的部分。我定义了一个基本sum函数,它是使用更基本的add函数定义的。对输入数组执行mapping操作将为您提供水平总和。sum

垂直总和有点棘手,但不是太难。我定义了一个transpose旋转矩阵的函数。一旦我们旋转,我们可以sum以同样的方式排列行。

此解决方案适用于任何MxN矩阵

// generic, reusable functions
const add = (x,y) => x + y
const sum = xs => xs.reduce(add, 0)
const head = ([x,...xs]) => x
const tail = ([x,...xs]) => xs

const transpose = ([xs, ...xxs]) => {
  const aux = ([x,...xs]) =>
    x === undefined
      ? transpose (xxs)
      : [ [x, ...xxs.map(head)], ...transpose ([xs, ...xxs.map(tail)])]
  return xs === undefined ? [] : aux(xs)
}

// sample data
let numbers = [
  [1,1,1],
  [2,2,2],
  [3,3,3],
  [4,4,4]
]

// rows
console.log(numbers.map(sum))
// [ 3, 6, 9, 12 ]

// columns
console.log(transpose(numbers).map(sum))
// [ 10, 10, 10 ]

于 2013-06-13T05:16:08.123 回答