Currying is a fundamental concept in functional programming, named in honor of the logician Haskell Curry, although it was introduced much earlier.
Currying has its foundations on the idea that functions can return functions. For instance imagine the following:
let add x = fun y -> x + ySo add is a function of one argument, that returns a function of one argument. To call add we could do:
(add 3) 2               (* becomes 3 + 2 *)And in fact function application is left-associative, so we can write this also as:
add 3 2From a different point of view, we can effectively think of add as a function of two arguments, x and y. Except that we are effectively providing these arguments one at a time, first x and then y. We can in fact stop after the “first” argument:
add 3and what we get back is a function, that expects the “second” argument, y. We will call these curried functions.
OCAML offers us a convenient syntactic sugar for curried functions, allowing us to write our example of add above as:
let add x y = x + yTechnically the idea of currying is the process of taking a function that takes two or more arguments as a tuple, and producing the function that instead takes them one after the other. So for example going from the first function to the second:
let add (x, y) = x + y
let addc x y = x + yIn fact we can represent this transformation as a function, if we know the number of arguments involved, and there are many ways to write it:
let curry f = fun x y -> f (x, y)
let curry f = fun x -> fun y -> f (x, y)
let curry f = fun y -> f (x, y)
let curry f x y = f (x, y)Practice 1: What is the type of the curry function?
Practice 2: Write an uncurry function after first describing its type.
Essentially we now know almost everything about functions in OCAML:
unit, with its unique value (), provides a way to have functions that essentially “take no argument” without having to code them in any special way.(x, y, z) and using pattern-matching. In the future however we will be avoiding this practice, in favor of curried functions. Tuples will be used mainly when a function needs to return more than one value.