JavaScript:将除法函数作为参数放入另一个返回新函数的参数中->返回商

时间:2019-05-24 16:18:42

标签: javascript callback return closures higher-order-functions

我有一个函数将两个输入参数相除:

const divide = (x, y) => {
    return x / y;
  };

我有第二个函数,该函数将除法函数作为其输入参数并返回一个新函数。

function test(func) {

    return function(){
        return func(); 
    }
}

const retFunction = test(divide);
retFunction(24, 3)

我期望返回值为8(24/3)。但是我得到了返回的'NaN'输出。我究竟做错了什么?

1 个答案:

答案 0 :(得分:8)

您需要将可能的参数传递给函数:...args

const divide = (x, y) => {
  return x / y;
};

function test(func) {
  return function(...args) {
    return func(...args);
  }
}

const retFunction = test(divide);
const result = retFunction(24, 3);
console.log(result);