Question:
What is currying in JavaScript?
Quick answer:
It is a technique used to convert a function that takes multiple arguments into a chain of functions where every only takes one argument.
Longer answer:
Currying is basically all about Higher Order Functions. It is an application of JavaScript's ability to return functions from other functions.
We are replacing a function that takes n
arguments with a set of n
functions, which applied one by one gives exactly the same answer as original functions.
We can learn it by example right away. Btw it feels like this one is the most common one.
// regular implementation
function add1(a, b) {
return a + b;
}
console.log(add1(2,5)) // 7
// curried implementation
function add2(a) {
return function(b) {
return a + b
}
}
console.log(add2(2)(5)) // 7
That is it. This is what currying is.
UPD: btw, also check out @kspeakman note about currying vs non-currying partial application in the comments section
Real-life applications:
At first glance, it may look a bit weird π€― Why do we ever need to call a function separating arguments?
You can think of it as a function preparation for execution. If you have some common operation, e.g. getting an object property, you can move it to a curried version.
function searchUser {
// ...
user['id']
// ...
}
function updateUser {
// ...
user['id']
// ...
}
// user['id'] can be refactored with
let getUserId = user => user['id']
// Or you can go even further and implement generic getter
let pluck = name => object => object[name]
let getUserId = pluck('id')
let getUserName = pluck('name')
let name = getUserName(user)
So functions like this can be joined to some helpers library. And here is RxJS.pluck and here is Ramda.pluck.
Have a good curry π₯
Resources:
wiki/Currying
Other posts:
- JS interview in 2 minutes / Promise
- JS interview in 2 minutes / this π€―
- JS interview in 2 minutes / Encapsulation (OOP)
Btw, I will post more fun stuff here and on Twitter. Let's be friends π
Top comments (5)
Currying is mainly a way to setup a function for easier partial application -- providing only some of the function arguments. You can do partial application without currying, but it is less convenient.
Thanks π Added a note with a link to this comment to the post itself.
This is a great quick explanation. I made an account to follow you so I can get all the 2 minute interview reviews. Good stuff.
It is so nice and inspiring to hear β¨ Glad you like these articles!
This is actually wrong as a curried function can take any number of arguments, not just 1. Good explanation though π