如果您不熟悉 EMCA6 草案,将添加箭头函数语法。主要区别在于:
- 箭头函数具有词法 this (因此无需调用Function.prototype.bind或创建闭包)
- 更短的语法
() => "foo"
vsfunction(){ return "foo";}
- 箭头函数缺少 .prototype。所以它们不能用作构造函数,不能用 new 调用,并且是轻量级的。
话虽如此,让我们看一下以下简单的示例:
var Animal = function(sound) {
this.sound = sound;
//arrow notation has lexical this, so this makeNoise must be defined in the constructor
Animal.prototype.makeNoise = () => this.sound;
};
let dog = new Animal("woof!");
dog.makeNoise(); //woof!
在这里,我正在创建一个简单的类,它恰好使用箭头函数作为其方法之一,而不是普通函数。我知道这是在Animal.prototype.makeNoise
我们每次初始化 Animal 时设置的,但与正常情况相比,上述设置是否有任何其他缺点:
var Animal = function(sound) {
this.sound = sound;
};
Animal.prototype.makeNoise = function() { return this.sound; };
let dog = new Animal("woof!");
dog.makeNoise(); //woof!
我很想知道这样做是否有任何潜在的危险,因为我相信人们会很想在他们可以逃脱的任何地方使用新的缩短语法。提前致谢。