Normally I'd assign an alternative "self" reference when referring to "this" within setInterval. Is it possible to accomplish something similar within the context of a prototype method? The following code errors.
function Foo() {}
Foo.prototype = {
bar: function () {
this.baz();
},
baz: function () {
this.draw();
requestAnimFrame(this.baz);
}
};
Unlike in a language like Python, a Javascript method forgets it is a method after you extract it and pass it somewhere else. You can either
Wrap the method call inside an anonymous function
This way, accessing the
baz
property and calling it happen at the same time, which is necessary for thethis
to be set correctly inside the method call.You will need to save the
this
from the outer function in a helper variable, since the inner function will refer to a differentthis
object.Wrap the method call inside a fat arrow function
In Javascript implementations that implement the arrow functions feature, it is possible to write the above solution in a more concise manner by using the fat arrow syntax:
Fat arrow anonymous functions preserve the
this
from the surrounding function so there is no need to use thevar that = this
trick. To see if you can use this feature, consult a compatibility table like this one.Use a binding function
A final alternative is to use a function such as Function.prototype.bind or an equivalent from your favorite Javascript library.
i made a proxy class :)