Composition and Compose
The Lodash Way
If we take a moment and look at libraries like Lodash and Underscore, they handle function composition as function chaining like the following.1 | _(myValue).chain().filter(fn1).map(fn2).reduce(fn3); |
Naive Generic Composition
This is great except, if we want to drop in our own functions we have to either use tap, which is counterintuitive, or we have to devise our own strategy for composing multiple functions together. First an aspect we would do well to avoid is the state management which happens under the covers. Second, an aspect we would like to favor is an ability to create our own transformation behaviors and chain them together in a clean, sane way. Let's have a look at a simple, rather naive implementation of a generic composition function.1 | // This is VERY close to mathematical composition, so let's |
1 | function add (a, b) { |
Iterative Composition
Let's take our original compose function and turn it up a notch. Instead of letting it be the final implementation we can use it as the foundation for a more powerful approach to composition. We still want our compose function to accept two arguments and compose them, but we want to take two or more and compose them all. We will need to make use of the arguments object available in a function, as well as the slice function from Array.prototype. Anyway, less talk, more code.1 | function identity (value) { |
1 | var add3 = add.bind(null, 3), |
1 | function filter (predicate, list) { |
Reducing Composition
Now that we've seen the power that compose brings to our programming life, let's look at ways we can make the current implementation better. Instead of using a looping structure like forEach and maintaining state outside of the composing operation, let's use reduce instead. Since our function arguments are being converted into an array, this is a simple refactoring.1 | function identity (value) { |
The Final Iteration
There are two different approaches which could be taken here. First, we can stop here and say our reducingCompose function is all we want for our final compose function. This means, if someone mistakenly passes an argument which isn't a function, they will get an error when they try to execute their newly created function. Although getting an error is good, getting it early is better. What if we were to throw an error while compose is constructing the new function and alert our user, immediately, that they did something wrong? Arguably this is more programmatically interesting and I think it's the right thing to do. Let's hop to it.1 | function identity (value) { |