Logo

Programming-Idioms

  • Go
  • C++

Idiom #37 Currying

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

//function
auto add(int a, int b) -> int {
	return a + b;
}

//curry with std::bind
using namespace std::placeholders;
auto add5 = std::bind(add, _1, 5);

//curry with lambda
auto add5 = [](int x) { return add(x, 5); };

//use
auto result = add5(1);
assert(result == 6);

You can use std::bind or a lambda to do so.
#include <functional>
// function taking many parameters
int add(int a, int b)
{
    return a + b;
}

// define a new function preseting the first parameter
std::function<int (int)> add_def(int a)
{
    return [a](int b){return add(a, b);};
}

int result = add_def(4)(6);

using closure and lambda
type PayFactory func(Company, *Employee, *Employee) Payroll

type CustomPayFactory func(*Employee) Payroll

func CurryPayFactory(pf PayFactory,company Company, boss *Employee) CustomPayFactory {
	return func(e *Employee) Payroll {
		return pf(company, boss, e)
	}
}

The currying function is not generic, it must be written for each type of currying needed.
(def add5 (partial + 5))

New implementation...
< >
Adrian