欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

深入理解Javascript箭头函数中的this

程序员文章站 2022-10-20 08:54:02
首先我们先看一段代码,这是一个实现倒数功能的类「countdown」及其实例化的过程: function countdown(seconds) { this....

首先我们先看一段代码,这是一个实现倒数功能的类「countdown」及其实例化的过程:

function countdown(seconds) {
 this._seconds = seconds;
}
countdown.prototype._step = function() {
 console.log(this._seconds);
 if (this._seconds > 0) {
  this._seconds -= 1;
 } else {
  clearinterval(this._timer);
 }
};
countdown.prototype.start = function() {
 this._step();
 this._timer = setinterval(function() {
  this._step();
 }, 1000);
};

new countdown(10).start();

运行这段代码时,将会出现异常「this._step is not a function」。

这是javascript中颇受诟病的「this错乱」问题:setinterval重复执行的函数中的this已经跟外部的this不一致了。

要解决这个问题,有三个方法。

闭包

新增一个变量指向期望的this,然后将该变量放到闭包中:

countdown.prototype.start = function() {
 var self = this;
 this._step();
 this._timer = setinterval(function() {
  self._step();
 }, 1000);
};

bind函数

es5给函数类型新增的「bind」方法可以改变函数(实际上是返回了一个新的函数)的「this」:

countdown.prototype.start = function() {
  this._step();
  this._timer = setinterval(function() {
    this._step();
  }.bind(this), 1000);
};

箭头函数

这正是本文要重点介绍的解决方案。箭头函数是es6中新增的语言特性,表面上看,它只是使匿名函数的编码更加简短,但实际上它还隐藏了一个非常重要的细节——箭头函数会捕获其所在上下文的this作为自己的this。也就是说,箭头函数内部与其外部的this是保持一致的。

所以,解决方案如下:

countdown.prototype.start = function() {
  this._step();
  this._timer = setinterval(() => {
    this._step();
  }, 1000);
};

这无疑使this的处理更加方便了。然而,对各位javascript coder而言,判断this指向时的情况可就又多了一种了。

总结

以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流。