Logo

Programming-Idioms

  • Haskell
  • Clojure

Idiom #37 Currying

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

(def add5 (partial + 5))
(def rev-key #(update %2 %1 reverse))

(def rev-a (partial rev-key :a))
addThem :: Num a => a -> a -> a
addThem = (+)

add5 :: Num a => a -> a
add5 = addThem 5
import Data.Ix
curry range

range(a,b) = [a..b]
(curry range 1) = \ i -> [1..i]
curry range :: a -> a -> [a]
curry :: ((a, b) -> c) -> a -> b -> c
"::" means "is of type"

Haskell begins with most functions already curried and allowing partial projection, hence the uncurried range sprang to mind as a notable exception for this illustration.

Data.Ix contains range
//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.

New implementation...
< >
Adrian