Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!
  • Js

Idiom #37 Currying

Transform a function that takes multiple arguments into a function for which some of the arguments are preset.

const curry = (fn, ...initialArgs) => (...args) => fn(...initialArgs, ...args);

const add = (a, b) => a + b;

const add5 = curry(add, 5);

const result = add5(1) // 6
function curry (fn, scope) {
   
    scope = scope || window;
    
    // omit curry function first arguments fn and scope
    var args = Array.prototype.slice.call(arguments, 2);
    
    return function() {
	var trueArgs = args.concat(Array.prototype.slice.call(arguments, 0));
        fn.apply(scope, trueArgs);
    };
}

Call curry on a function, a scope and then just enumerate the arguments you want to be curried in the returned function ;)
(def add5 (partial + 5))

New implementation...
< >
Adrian