是否可以使用lodash迭代集合并将项目传递给需要两个(或更多)参数的函数?在以下示例中,该函数应采用两个值并添加它们.地图应该采用数组并为每个数组添加10.以下是我认为这有效的方法:
function x (a, b) {
return a + b
}
var nums = [1, 2, 3]
console.log(_.map(nums,x(10)))
--->ans should be [11, 12, 13]
--->actually is [ undefined, undefined, undefined ]
解决方法:
你在这里尝试做的是“curry”x函数,lodash通过curry()支持.一个curried函数是一个可以一次接受一个参数的函数:如果你不提供一整套参数,它返回一个期望剩余参数的函数.
这就是currying的样子:
function x(a,b) {
return a + b;
}
x = _.curry(x); //returns a curried version of x
x(3,5); //returns 8, same as the un-curried version
add10 = x(10);
add10(3); //returns 13
所以你的原始代码非常接近curried版本:
console.log(_.map([1,2,3], _.curry(x)(10))); //Prints [11,12,13]
(正如在问题评论中指出的那样; Function.prototype.bind也可以用于currying,但是如果你已经在使用lodash,你可能也可以使用特定的任务)