将原型函数作为参数传递而不会丢失'this'上下文

时间:2011-12-22 22:14:12

标签: javascript function-prototypes prototype-programming

我是通过原型在JavaScript中定义''。

func()第一次运行时,它可以工作,但是当它第二次被调用时,通过setTimeout,它会失败,因为这次它丢失了对象上下文,I.E。 不再引用该对象,但现在引用 window

有没有办法可以在使用原型时克服这个问题?或者我是否需要使用闭包来定义''?

function klass(){}

klass.prototype = {
  a: function() {
    console.log( "Hi" );
  },    
  func: function(){
    this.a();
    setTimeout( this.func, 100 );
  }
};

var x = new klass();
x.func();

3 个答案:

答案 0 :(得分:7)

使用Function.prototype.bind

setTimeout( this.func.bind(this), 100 );

来自Mozilla开发者网络:

https://developer.mozilla.org/en/JavaScript/Reference/Global_Objects/Function/bind

if (!Function.prototype.bind) {  
  Function.prototype.bind = function (oThis) {  
    if (typeof this !== "function") {  
      // closest thing possible to the ECMAScript 5 internal IsCallable function  
      throw new TypeError("Function.prototype.bind - what is trying to be bound is not callable");  
    }  

    var aArgs = Array.prototype.slice.call(arguments, 1),   
        fToBind = this,   
        fNOP = function () {},  
        fBound = function () {  
          return fToBind.apply(this instanceof fNOP  
                                 ? this  
                                 : oThis || window,  
                               aArgs.concat(Array.prototype.slice.call(arguments)));  
        };  

    fNOP.prototype = this.prototype;  
    fBound.prototype = new fNOP();  

    return fBound;  
  };  
}  

答案 1 :(得分:3)

您可以将其包装在一个函数中:

var self = this;  // reference the value of "this"

setTimeout( function() {self.func();}, 100 );

答案 2 :(得分:2)

使用Function.prototype.bind,或将setTimeout回调包装在自己的闭包中:

    func: function() {
        var self = this;
        self.a();
        setTimeout( function() {
            self.func();
        }, 100);
    }