Bind All The Things
Bind for Object Orientation
If we look at the object oriented nature of Javascript, we come quickly to prototypes. Let's create a simple object we can experiment with using a prototypal definition and behavior composition to create a rich greeting API. (Yes, this is hello world, no I'm not kidding.)1 | function Greeter () { |
1 | var myGreeter = new Greeter(); |
1 | var hi = myGreeter.sayHello; |
Bind for Partial Application
The error we see is because sayHello refers, internally, to this.greet. Since hi captured a pointer only to the sayHello function, all sense of object context is lost. This means "this" is referring to whatever bizarre context happens to be surrounding our variable. Best case scenario is this refers to window, but who really knows. Let's fix this issue.1 | var boundHi = myGreeter.sayHello.bind(myGreeter); |
1 | function add(a, b) { |
1 | var increment = add.bind(null, 1), |
Binding Context and Partially Applying Values Together
We're in a place where we can tie this all together now. We have seen execution binding and partial application. Let's have a look at what using all of these behaviors together for a single focused purpose. Let's create a new function from what we already have which does something a little different.1 | var sayHola = myGreeter.greet.bind(myGreeter, 'Hola'); |