0

我试图从回调中返回 this,但我总是不确定。

这是剪断的

create: function(currentView, data){
    var itsMe = this; 
    this.thumbsWrapper = this.templates.wrapper().hide();
    currentView.append(this.thumbsWrapper);
    this.thumbsWrapper.fadeIn("fast", function(){
        return itsMe;                                                 
    });
},

var l = list().create(currentView); //need teh return that i can use chaining

var l 现在是未定义的,如果我使用带有回调的淡入淡出...如果我不使用带有回调的淡入淡出它返回 obj

有人知道为什么吗?

4

2 回答 2

2

@Felix Kling 说的是正确的,你没有返回任何东西。如果您想退货itsMe,您需要执行以下操作:

create: function(currentView, data){
    var itsMe = this; 
    this.thumbsWrapper = this.templates.wrapper().hide();
    currentView.append(this.thumbsWrapper);
    this.thumbsWrapper.fadeIn("fast");
    return itsMe;    
}

如果您想要链接,这应该足够了。

如果您想获得itsMe淡出完成时间的参考,您需要传递您自己的回调:

create: function(currentView, data, callback){
    var itsMe = this; 
    this.thumbsWrapper = this.templates.wrapper().hide();
    currentView.append(this.thumbsWrapper);
    this.thumbsWrapper.fadeIn("fast", function(){ 
        callback(itsMe);
    });  
}


list().create(function (that) {
    console.log("fade out complete");
    console.log("itsMe is", that);
});

如果你想要一个链接模式,它会在淡出完成时执行链中的下一个函数,你需要传递的不是一个引用this而是一个可以排队命令的对象,顺序执行每个命令。

于 2013-01-10T13:19:58.753 回答
1

您需要在create()函数中返回对象,它目前没有返回任何内容:

create: function(currentView, data){
    var itsMe = this; 
    this.thumbsWrapper = this.templates.wrapper().hide();
    currentView.append(this.thumbsWrapper);
    this.thumbsWrapper.fadeIn("fast", function(){
        return itsMe;  //<--- this isn't going anywhere because you don't capture it                                               
    });
    return itsMe; //<------ return the object
},
于 2013-01-10T13:17:50.403 回答