0

好的,我有一些类似的代码......

Thing function () {    
  var img = new Image;    
  DoSomeStuff function() {    
  //Some stuff here that can't be done until my img is loaded...    
};

InitMe function(src) {    
  this.img.onLoad = this.DoSomeStuff;     
  this.img.src = src;    
};    
}

var Test = new Thing();    
Test.InitMe("some string");

这显然行不通,因为this.DoSomeStuff停止存在Thing.DoSomeStuff并变成img.DoSomeStuff

所以我想我需要知道的是,我怎样才能从...调用Thing.DoSomeStuff()函数。img.onLoad

4

2 回答 2

1

在 ES5 上,您可以使用:

this.img.onLoad = this.DoSomeStuff.bind(this);

或者:

var self = this;
this.img.onLoad = function() {
    self.DoSomeStuff();
}

ps你当前的代码是不合法的。除其他外,变量的范围错误(或不是 的属性this)并且您的函数声明语法不正确。

于 2012-08-15T08:05:22.037 回答
0

你可能想要这个

function Thing() {    
    this.img = new Image;    
    this.DoSomeStuff=function(){
        // do something
    };

    var self=this;
    this.InitMe=function(src) {   
        self.img.src = src;
        self.img.onload = function(){
            self.DoSomeStuff();
        }
    };    
}

var Test = new Thing();    
Test.InitMe("example.png");​

演示

于 2012-08-15T08:43:21.700 回答