ES2015 中的箭头函数提供了更简洁的语法。
例子:
构造函数
function User(name) { this.name = name; } // vs const User = name => { this.name = name; };
原型方法
User.prototype.getName = function() { return this.name; }; // vs User.prototype.getName = () => this.name;
对象(文字)方法
const obj = { getName: function() { // ... } }; // vs const obj = { getName: () => { // ... } };
回调
setTimeout(function() { // ... }, 500); // vs setTimeout(() => { // ... }, 500);
可变函数
function sum() { let args = [].slice.call(arguments); // ... } // vs const sum = (...args) => { // ... };
tl;博士: 不! 箭头函数和函数声明/表达式不等价,不能盲目替换。 如果您要替换的函数 不 使用this,arguments并且没有使用 调用new,那么可以。
this
arguments
new
通常: 这取决于. 箭头函数与函数声明/表达式有不同的行为,所以让我们先来看看它们的区别:
1. 词汇this和arguments
箭头函数没有自己的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自身。
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。
.bind
.call
如果您不是很熟悉this,请考虑阅读
2. 不能用箭头函数调用new
ES2015 区分了可 调用 的函数和可 构造 的函数。如果一个函数是可构造的,它可以被调用 new,即new User()。如果一个函数是可调用的,它可以不被调用new(即正常的函数调用)。
new User()
通过函数声明/表达式创建的函数既可构造又可调用。 箭头函数(和方法)只能调用。 class构造函数只能构造。
class
如果您尝试调用不可调用函数或构造不可构造函数,您将收到运行时错误。
知道了这一点,我们可以陈述以下内容。
可更换:
.bind(this)
不可 更换:
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);
但是: 如果调用回调的代码显式设置this为特定值,就像事件处理程序经常出现的情况,尤其是 jQuery,并且回调使用this(或arguments), 则不能 使用箭头函数!
由于箭头函数没有自己的arguments,您不能简单地用箭头函数替换它们。但是,ES2015 引入了使用的替代方法arguments:其余参数。
// old function sum() { let args = [].slice.call(arguments); // ... } // new const sum = (...args) => { // ... };