Write a function that curries a function. It should take a function as an argument, and return the curried version.
Now write a function that uncurries a function.
const curry = (fn, ...args) => args.length >= fn.length ? fn(...args) : (...x) => curry(fn, ...args, ...x); const uncurry = (fn) => (...args) => args.reduce((fn, arg) => fn(arg), fn); const mul = (a, b) => a * b; const curriedMul = curry(mul); const mulBySeven = curriedMul(7); const uncurriedMul = uncurry(curriedMul); console.log(curriedMul(2)(3)); // 6 console.log(mulBySeven(11)); // 77 console.log(uncurriedMul(5, 7)); // 35
"use strict"; /** * Curry a function of any arity * * @param {Function} callable * @param {unknown[]=} [] initialParameters * @return {Function} */ function curry(callable, ...initialParameters) { return function(...additionalParameters) { const parameters = [...initialParameters, ...additionalParameters]; if (parameters.length >= callable.length) { return callable(...parameters); } return curry(callable, ...parameters); }; } /** * Uncurry a function of any arity * * @param {Function} curriedFunction * @return {Function} */ function uncurry(curriedFunction) { return function(...parameters) { return parameters.reduce(function(next, value) { return next(value); }, curriedFunction); } } const add = curry((x, y) => x + y); const increment = add(1); console.log(add); // [Function] console.log(increment); // [Function] console.log(add(1, 2)); // 3 console.log(increment(2)); // 3 const $add = uncurry(add); console.log($add); // [Function] console.log($add(1, 2)); // 3
Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink.
Hide child comments as well
Confirm
For further actions, you may consider blocking this person and/or reporting abuse
We're a place where coders share, stay up-to-date and grow their careers.
CHALLENGE
Write a function that curries a function. It should take a function as an argument, and return the curried version.
NEXT LEVEL
Now write a function that uncurries a function.