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;dr: No! 箭头函数和函数声明/表达式并不等价,不能盲目替换。
如果您要替换的功能是不是 使用this,arguments并且不被调用new, 好的。


正如经常发生的那样:it depends

1. Lexical this and arguments

箭头函数没有自己的函数this或者arguments捆绑。thisarguments参考值thisarguments在环境中箭头函数是定义的在(即箭头函数"外部"):

// 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指的是在内部创建的对象createObjectthis指的是thiscreateObject本身。

如果您需要访问,这使得箭头函数非常有用this当前环境:

// currently common pattern
var that = this;
getData(function(data) {
  that.data = data;
});

// better alternative with arrow functions
getData(data => {
  this.data = data;
});

Note 这也意味着不是 可以设置箭头函数this.bind或者.call

如果你不是很熟悉this,考虑阅读

2. Arrow functions cannot be called with new

ES2015 区分的函数是称呼 能够和功能是构造 有能力的。new, IE。new User()new(即正常的函数调用)。

通过函数声明/表达式创建的函数既可构造又可调用。
箭头函数(和方法)只能调用。class构造函数只能构造。

如果您尝试调用不可调用的函数或构造不可构造的函数,您将收到运行时错误。


知道了这一点,我们可以做出以下陈述。

可更换:

  • 不使用的功能this或者arguments
  • 与使用的函数.bind(this)

不是可更换:

  • 构造函数
  • 添加到原型的函数/方法(因为它们通常使用this
  • 可变参数函数(如果它们使用arguments(见下文))
  • 生成器函数,需要function*符号

让我们使用您的示例仔细看看这一点:

Constructor function

这是行不通的,因为箭头函数不能用newclass

Prototype methods

很可能不会,因为原型方法通常使用this来访问实例。this,然后就可以更换它了。class以其简洁的方法语法:

class User {
  constructor(name) {
    this.name = name;
  }
  
  getName() {
    return this.name;
  }
}

Object methods

对于对象字面量中的方法也是如此。this,继续使用函数表达式,或者使用新的方法语法:

const obj = {
  getName() {
    // ...
  },
};

Callbacks

这取决于。this或正在使用.bind(this):

// old
setTimeout(function() {
  // ...
}.bind(this), 500);

// new
setTimeout(() => {
  // ...
}, 500);

But: 如果调用回调的代码显式设置this到一个特定的值,事件处理程序经常出现这种情况,尤其是 jQuery,并且回调使用this(或者arguments), 你不能使用箭头函数!

Variadic functions

由于箭头函数没有自己的arguments,你不能简单地用箭头函数替换它们。arguments: 这剩余参数

// old
function sum() {
  let args = [].slice.call(arguments);
  // ...
}

// new
const sum = (...args) => {
  // ...
};

相关问题:

更多资源:

来自: stackoverflow.com