请写出一个柯里化其他函数的函数 curry,这个函数能够将接受多个参数的函数,变成多个接受一个参数的函数,具体见示例(这是 lodash.curry 的文档示例):
function curry(???){
???
return ???
}
var abc = function(a, b, c) {
return [a, b, c];
};
var curried = curry(abc);
curried(1)(2)(3);
// => [1, 2, 3]
curried(1, 2)(3);
// => [1, 2, 3]
curried(1, 2, 3);
// => [1, 2, 3]
分析:
data:image/s3,"s3://crabby-images/9c22c/9c22cd36014589b555216227ea3ab8dec0cd5902" alt=""
data:image/s3,"s3://crabby-images/79626/79626bc9f553aeb6e9ebb9132600e3619cd697af" alt=""
data:image/s3,"s3://crabby-images/9fc2a/9fc2aeb058d6664c4de430545e4635d62f84b4cb" alt=""
data:image/s3,"s3://crabby-images/f6fd3/f6fd3383b8abc77ea67a0d977cec5c6c62ee59ab" alt=""
data:image/s3,"s3://crabby-images/8f122/8f1220203869a69af33de62201994b7681f6b333" alt=""
data:image/s3,"s3://crabby-images/80412/80412f0b53cfd8c0b0fa3367d4877eb2f9dbfb10" alt=""
最终解答:
function curry(func , fixedParams){
if ( !Array.isArray(fixedParams) ) { fixedParams = [ ] }
return function(){
let newParams = Array.prototype.slice.call(arguments); // 新传的所有参数
if ( (fixedParams.length+newParams.length) < func.length ) {
return curry(func , fixedParams.concat(newParams));
}else{
return func.apply(undefined, fixedParams.concat(newParams));
}
};
}
网友评论