创建要添加的函数,使得add(1,2)(3,... k)(1,2,3)...(n)应该对所有数字求和

时间:2019-01-19 09:08:42

标签: javascript ecmascript-6

我一直在寻找一种创建“添加”功能的方法,例如:

add(1,2) //returns 1+2= 3
add(1)(2,3)(4) // returns 10
add(1)(2,3)(4)(5,6)(7,8,9) //returns 45

如果我知道我们拥有的参数数量,则可以创建add方法,例如:

const add5 = a => b => c => d => e => a+b+c+d+e;

因此,如果我使用add5(1)(2)(3)(4)(5),这将为我提供预期的输出。

但是问题是如果我们必须返回'N'参数的总和,该如何解决这个问题。

TIA!

1 个答案:

答案 0 :(得分:5)

在一般情况下,除非在调用toString的结果上允许add强制执行(或者除非事先知道调用次数),否则不可能:

function add(...next) {
  let count = 0;
  // return a callable function which, when coerced to a string,
  // returns the closure's `count`:
  function internalAdd(...next) {
    count += next.reduce((a, b) => a + b, 0);
    return internalAdd;
  }
  internalAdd.toString = () => count;
  return internalAdd(...next);
}

console.log('' + add(1,2)) //returns 1+2= 3
console.log('' + add(1)(2,3)(4)) // returns 10
console.log('' + add(1)(2,3)(4)(5,6)(7,8,9)) //returns 45