Your Web News in One Place

Help Webnuz

Referal links:

Sign up for GreenGeeks web hosting
May 14, 2021 09:21 am GMT

JS interview in 2 minutes / Currying

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 implementationfunction add1(a, b) {  return a + b;}console.log(add1(2,5)) // 7// curried implementationfunction add2(a) {  return function(b) {    return a + b  }}console.log(add2(2)(5)) // 7

That is it. This is what currying is.

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 withlet getUserId = user => user['id']// Or you can go even further and implement generic getterlet 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:

Btw, I will post more fun stuff here and on Twitter. Let's be friends


Original Link: https://dev.to/kozlovzxc/js-interview-in-2-minutes-currying-2hko

Share this article:    Share on Facebook
View Full Article

Dev To

An online community for sharing and discovering great ideas, having debates, and making friends

More About this Source Visit Dev To