I'm practicing partial application of a function, that is, fixing function arguments. I've learned two ways to achieve it:
- By currying the original function first.
- By using
.bind()
method.
In the following example I'm going to show that only the first strategy, i.e., by currying first, works. My question is why using .bind()
doesn't work.
Example
Consider the following data:
const genderAndWeight = {
john: {
male: 100,
},
amanda: {
female: 88,
},
rachel: {
female: 73,
},
david: {
male: 120,
},
};
I want to create two utility functions that reformat this data into a new object:
- function A -- returns people names as keys and weights as values
- function B -- returns people names as keys and genders as values
Because these two functions are expected to be very similar, I want to create a master function, and then derive two versions out of it, thereby honoring the DRY principle.
// master function
const getGenderOrWeightCurried = (fn) => (obj) =>
Object.fromEntries(Object.entries(obj).map(([k, v]) => [k, fn(v)]));
The heart of this solution is what I'm going to supply to fn
parameter. So either
const funcA = (x) => Number(Object.values(x)); // will extract the weights
or
const funcB = (x) => Object.keys(x).toString(); // will extract the genders
And now doing partial application:
const getWeight = getGenderOrWeightCurried(funcA);
const getGender = getGenderOrWeightCurried(funcB);
Works well:
console.log({
weight: getWeight(genderAndWeight),
gender: getGender(genderAndWeight),
});
// { weight: { john: 100, amanda: 88, rachel: 73, david: 120 },
// gender:
// { john: 'male',
// amanda: 'female',
// rachel: 'female',
// david: 'male' } }
So far so good. The following way uses .bind()
and doesn't work
// master function
const getGenderOrWeightBothParams = (fn, obj) =>
Object.fromEntries(Object.entries(obj).map(([k, v]) => [k, fn(v)]));
// same as before
const funcA = (x) => Number(Object.values(x));
const funcB = (x) => Object.keys(x).toString();
// partial application using .bind()
const getWeight2 = getGenderOrWeightBothParams.bind(funcA, null);
const getGender2 = getGenderOrWeightBothParams.bind(funcB, null);
// log it out to console
console.log({weight: getWeight2(genderAndWeight), gender: getGender2(genderAndWeight)})
TypeError: fn is not a function
It's also worth noting that in a different scenario, .bind()
does allow partial application. For example:
const mySum = (x, y) => x + y;
const succ = mySum.bind(null, 1);
console.log(succ(3)); // => 4
where it comes from
Currying and partial application are of functional heritage and so using them outside of this context will prevent you from receiving their full benefit and likely be a source of self-inflicted confusion.
The proposed data structure is riddled with issues, the largest being that data is mixed across both values and keys of the data object. Names, genders, and weights are all values.
name
,gender
, andweight
are keys. This changes your data to this sensible shape where it also takes on a sensible name,people
.currying
pick
accomplishes its goal easily becausename
,gender
, andweight
are all semantically adjacent, ie they are all keys to pick from an object. When data is mixed across values and keys, it makes it harder to navigate the structure and introduces unnecessary complexity into your program.partial application
partial
is perfectly adequate for advancing your understanding at this point. You don't need.bind
as its first argument is concerned with dynamic context, a principle of object-oriented style.Here's the same demo using an uncurried
pick
and applyingpartial
application instead -"is it mandatory to change the data structure?"
Certainly not, but you will quickly run into trouble. Let's carry your exercise through and see where problems arise. As you demonstrated, the curried program works fine -
The partial application program in your question uses
.bind
incorrectly. The context (null
) is passed as the second position, but.bind
expects this argument in the first position -You could do the same to fix
getGender2
, but let's usepartial
for this one instead. Dynamic context is an object-oriented mechanism and you do not need to be concerned with it when you are learning fundamentals of functional programming.partial
allows you to bind a function's parameters without needing to supply a context -This gives you two working examples of partial application using the original proposed data structure -
"so where's the problem?"
Right here -
"but it works!"
Did you know that your
funcA
creates an array of a number, converts it to a string, then back to a number again? In fact the only reason it appears to work correctly is because each person is an object with a single key/value pair. As soon as you add more entries, the model breaks -A similar issue is happening with
funcB
. Your function appears to work correctly because an array of a single string["foo"]
when converted to a string, will result in"foo"
. Try this on any larger array and you will get an unusable result -How are
funcA
andfuncB
going to work when more data is added to the tree?to hell and back again
We know that
funcA
is called once per item in the original data. Choosing an person at random, let's see what happens whenfuncA
reachesrachel
's value. Just how bad is it, really?We're getting deep here, but we've almost reached the botom. By the point marked ⚠️, [[3.2.2]],
valueOf
for an array will return the array itself, which still has an Object type. Therefore the loop [[3.]] continues withname := "toString"
We reach
StringToNumber("73")
and now there's little point continuing down the rabbit hole. This entire can of worms was opened due to your self-inflicted choice of a bad data structure. Want to get the person's weight?No unnecessary intermediate arrays, no array-to-string conversion, no string-to-number conversion, no possibility of NaN, no hell.
read more
Repeat the "hell" exercise for each of the other functions you are using. Determine for yourself if this is really the path you want to be on -
function composition
Curried functions are paired well with another technique called function composition. When a function takes just one argument and returns another, you can compose or sequence them, sometimes called "pipes" or "pipelines". This begins to demonstrate the effects of functional programming when applied to an entire system -
If you found this section interesting, I invite you to read How do pipes and monads work together in JavaScript?