解释 ES6 class 构造函数和箭头函数的作用

Explain effect of ES6 class constructor and arrow functions

我目前正在学习 JS 和 ES6。我无法理解为什么我的带有 class 构造函数和箭头函数的代码如果不进行一些更改就无法工作。

这是我开始的地方,一个 ES6 模块导出这个类似通量的调度程序对象。

// RiotControl dispatcher formatted as ES6 module.
// https://github.com/jimsparkman/RiotControl

var dispatcher = {
  stores: [],
  addStore: function(store) {
    this.stores.push(store);
  }
};

['on','one','off','trigger'].forEach(function(api){
  dispatcher[api] = function() {
    var args = [].slice.call(arguments);
    this.stores.forEach(function(el){
      el[api].apply(null, args);
    });
  };
});

export default dispatcher

我想用这段代码制作一个 class,最初以:

// RiotControl dispatcher formatted as ES6 class module.
// https://github.com/jimsparkman/RiotControl

export default class {
  constructor() {        
    this.stores = []    
    this.addStore = store => {
      this.stores.push(store);
    }

    ['on','one','off','trigger'].forEach(fn => {
      this[fn] = () => {
        var args = [].slice.call(arguments)
        this.stores.forEach(function(el){
          el[fn].apply(null, args)
        })
      }
    })
  }
}

由于我不知道的原因,这不起作用。

  1. 第一个 .forEach(...) 结果是 Uncaught TypeError: Cannot read property 'forEach' of undefined,就好像数组没有定义一样。
  2. var args = [].slice.call(arguments) 导致 args 成为零长度数组,而不是实际上,嗯,具有参数。

为了让代码正常工作,我将其更改为:

// RiotControl dispatcher formatted as ES6 class module.
// https://github.com/jimsparkman/RiotControl

export default class {
  constructor() {        
    this.stores = []    
    this.addStore = store => {
      this.stores.push(store);
    }

    var api = ['on','one','off','trigger']
    api.forEach(fn => {
      this[fn] = function() {
        var args = [].slice.call(arguments)
        this.stores.forEach(function(el){
          el[fn].apply(null, args)
        })
      }
    })
  }
}

因此,错误已由

修复
  1. 声明一个数组并在其上调用 .forEach
  2. 使用常规回调函数而不是箭头函数。

请解释为什么带有内联数组的 forEach 失败以及为什么从箭头函数内部切片参数列表失败。

此外,额外的问题,为什么 ´this.stores.foreach` 中的 this 绑定到我的对象实例而不是例如导致函数被调用的事件?

Please explain why the forEach with an inline array fails and why slicing the arguments list fails from inside the arrow function.

代码解释如下:

this.addStore = store => { ... }['on','one','off','trigger'].forEach(...)
// which becomes
this.addStore = store => { ... }['trigger'].forEach(...)

即您正在尝试访问一个函数的 trigger 属性,该函数当然不存在。在函数定义后使用分号显式终止赋值表达式:

this.addStore = store => {
  this.stores.push(store);
};
['on','one','off','trigger'].forEach(...);

Also, bonus question, why is this in this.stores.foreach bound to my object instance and not e.g. the event that causes the function to be called?

this这里不绑定。 this 指的是什么取决于函数的调用方式,你不应该显示。


var args = [].slice.call(arguments) results in args being a zero length array instead of actually, umm, having the arguments.

在箭头函数中,thisarguments 都是词法范围的。 IE。箭头函数没有自己的 arguments 对象。