当前位置: 首页 > 知识库问答 >
问题:

es6 Javascript类在回调[重复]中使用这个

公孙琛
2023-03-14

新的es6类允许您在方法内部使用自引用变量this
但是,如果类方法具有子函数或回调,则该函数/回调不再具有访问自引用变量this

class ClassName {
  constructor(dir){
    this.dir = dir;
    fs.access(this.dir, fs.F_OK | fs.W_OK, this.canReadDir);//nodejs fs.access with callback
  }

  canReadDir(err){
    this.dir;// NO ACCESS to class reference of this
  }
  //OR
  aMethod(){
    function aFunc(){
      this.dir;// NO ACCESS to class reference of this
    }
  }
}

对此有什么解决办法吗?

共有2个答案

狄宗清
2023-03-14

在aMethod()中放置一个对dir的引用,然后在aFunc中使用它,类似于

aMethod() {
    var tempDir = this.dir;
    aFunc() {
        console.log(tempDir);
    }
}
邹时铭
2023-03-14

您有以下选项:

1)使用箭头函数:

class ClassName {
  // ...
  aMethod(){
    let aFun = () => {
      this.dir;// ACCESS to class reference of this
    }
  }
}

2)或bind()方法:

class ClassName {
  // ...
  aMethod(){
    var aFun = function() {
      this.dir;// ACCESS to class reference of this
    }.bind(this);
  }
}

3)将this存储在专用变量中:

class ClassName {
  // ...
  aMethod(){
    var self = this;
    function aFun() {
      self.dir;// ACCESS to class reference of this
    }
  }
}

本文描述了JavaScript中有关This和箭头函数的必要细节。

 类似资料: