Advertisement
Currying is the process of transforming a function with multiple arguments into a sequence of nested functions, each accepting only one argument at a time.
This concept is named after mathematician Haskell Curry, and is commonly used in functional programming to enhance modularity and reuse.
## Before Currying (Normal n-ary Function)
1const multiArgFunction = (a, b, c) => a + b + c;
2
3console.log(multiArgFunction(1, 2, 3)); // Output: 6This is a standard function that takes three arguments at once.
## After Currying (Unary Function Chain)
1const curryUnaryFunction = (a) => (b) => (c) => a + b + c;
2
3console.log(curryUnaryFunction(1)); // Returns: function (b) => ...
4
5console.log(curryUnaryFunction(1)(2)); // Returns: function (c) => ...
6
7console.log(curryUnaryFunction(1)(2)(3)); // Output: 6Each function in the chain accepts one argument and returns the next function, until all arguments are provided and the final result is computed.
## Benefits of Currying
- Improves code reusability
→ You can partially apply functions with known arguments.
- Enhances functional composition
→ Easier to compose small, pure functions.
- Encourages clean, modular code
→ You can split logic into smaller single-responsibility functions.
Advertisement
JavaScript Coding Exercise 16
Test your knowledge with this interactive coding challenge.
Start CodingAdvertisement