- to define with the function keyword
- to define with arrow "=>" keyword
However, the functions defined by the two ways differ very subtly. Considering the .bind function on a function, which assigns an object as this of the function. the .bind function is available at functions created in both ways, but the function defined with arrow will not have access to this.
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_objects/Function/bind
This snippet demonstrated that after calling .bind, the arrow create function still doesn't have access to the correct this object. (verified in NodeJS v13.10.1)
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
> f = () => { return this.good;} | |
[Function: f] | |
> f() | |
undefined | |
> fb = f.bind({good:'life'}) | |
[Function: bound f] | |
> fb() | |
undefined | |
> g = function() { return this.good; } | |
[Function: g] | |
> g() | |
undefined | |
> gb = g.bind({good:'life'}) | |
[Function: bound g] | |
> gb() | |
'life' |