One thing I was not aware of is that TypeScript will not automatically scope the this keyword to what you would expect. Only if you use the TypeScript arrow functions it will correctly set ‘this’ inside a function.
So the following code inside my TypeScript was wrong. In this code sample ‘this’ will refer to the caller object and not to the FormChangeTracker class as I would expect:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
export class FormChangeTracker{ | |
$(selector).on('change', function () { | |
if (!this.enabled) { | |
return; | |
} | |
this.changed = true; | |
}); | |
} | |
When I use the arrow function instead, this will be scoped correctly:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
export class FormChangeTracker{ | |
$(selector).on('change', () => { | |
if (!this.enabled) { | |
return; | |
} | |
this.changed = true; | |
}); | |
} |