博士:不!箭头函数和函数声明/表达式不等效,不能盲目替换。
如果要替换的函数不使用 ,并且未使用 调用 ,则 Yes。this
arguments
new
正如经常发生的那样:视情况而定。箭头函数的行为与函数声明/表达式不同,因此让我们先看一下差异:
1. 词汇和
论据
箭头函数没有自己的或绑定的。相反,这些标识符像任何其他变量一样在词法范围内解析。这意味着在箭头函数内部,并引用箭头函数在环境中定义的值(即箭头函数的“外部”):this
arguments
this
arguments
this
arguments
// Example using a function expression
function createObject() {
console.log('Inside `createObject`:', this.foo);
return {
foo: 42,
bar: function() {
console.log('Inside `bar`:', this.foo);
},
};
}
createObject.call({foo: 21}).bar(); // override `this` inside createObject
// Example using a arrow function
function createObject() {
console.log('Inside `createObject`:', this.foo);
return {
foo: 42,
bar: () => console.log('Inside `bar`:', this.foo),
};
}
createObject.call({foo: 21}).bar(); // override `this` inside createObject
在函数表达式情况下,引用在 中创建的对象。在箭头函数情况下,指自身。this
createObject
this
this
createObject
这使得箭头函数在需要访问当前环境时非常有用:this
// currently common pattern
var that = this;
getData(function(data) {
that.data = data;
});
// better alternative with arrow functions
getData(data => {
this.data = data;
});
请注意,这也意味着无法将箭头函数设置为 或 。this
.bind
.call
如果你不是很熟悉,考虑阅读this
2. 箭头函数不能用新的
ES2015 区分可调用的函数和可构造的函数。如果一个函数是可构造的,则可以用 调用它,即 。如果一个函数是可调用的,它可以在没有调用的情况下调用(即普通函数调用)。new
new User()
new
通过函数声明/表达式创建的函数既是可构造的,也是可调用的。
箭头函数(和方法)只能调用。 构造函数只能构造。class
如果尝试调用不可调用的函数或构造不可构造的函数,则会收到运行时错误。
知道了这一点,我们可以声明以下内容。
更换:
- 不使用 或 的函数。
this
arguments
- 与
.bind(this)
不可更换:
- 构造函数
- 添加到原型中的函数/方法(因为它们通常使用
this
)
- 可变参数函数(如果使用(见下文))
arguments
- 生成器函数,需要符号
function*
让我们用你的例子仔细看看这一点:
构造函数
这将不起作用,因为不能使用 调用箭头函数。继续使用函数声明/表达式或使用 。new
class
原型方法
很可能不是,因为原型方法通常用于访问实例。如果他们不使用 ,那么您可以替换它。但是,如果您主要关心简洁语法,请使用其简洁方法语法:this
this
class
class User {
constructor(name) {
this.name = name;
}
getName() {
return this.name;
}
}
对象方法
对于对象文本中的方法也是如此。如果该方法想要通过 引用对象本身,请继续使用函数表达式,或者使用新的方法语法:this
const obj = {
getName() {
// ...
},
};
回调
这要视情况而定。如果您要对外部进行别名或使用:this
.bind(this)
// old
setTimeout(function() {
// ...
}.bind(this), 500);
// new
setTimeout(() => {
// ...
}, 500);
但:如果调用回调的代码显式设置为特定值,就像事件处理程序(尤其是 jQuery)的情况一样,并且回调使用(或 ),则不能使用箭头函数!this
this
arguments
可变参数函数
由于箭头函数没有自己的,你不能简单地用箭头函数替换它们。但是,ES2015 引入了使用的替代方法:rest 参数。arguments
arguments
// old
function sum() {
let args = [].slice.call(arguments);
// ...
}
// new
const sum = (...args) => {
// ...
};
相关问题:
更多资源: