4

类似的问题已经在这里问过如何触发model.save()的成功回调?,但仍然没有回答如何从回调中触发事件。

所以这是success我代码中的回调,我想在其中调用addOne事件来呈现保存的评论。一切正常,除了this.addOne(receivedItem);- 我不能this在回调中使用来触发这个事件。其他地方——我可以。

如何解决这个问题呢?

CommentsListView = Backbone.View.extend({
    ...
    addOne: function (item) {
        var commentView = new CommentView({
            model: item
        });
        this.$el.append(commentView.render().el);
    },
    addNewComment: function (event) {
        var item = {
            post_id: this.$('#post_id').val(),
            text: this.$('#text').val()
        };
        var commentItem = new CommentItem();
        commentItem.save({'model':item}, { 
            success: function(receivedItem, response) {
                this.addOne(receivedItem); // Uncaught TypeError: Object [object Window] has no method 'addOne'.
            }
        }, this);
    }
});
4

2 回答 2

9

发生这种情况是因为成功回调具有不同的范围,并且this不指向您的视图。
为了快速解决这个问题,只需引用this并使用它:

var self = this;
commentItem.save({'model':item}, { 
    success: function(receivedItem, response) {
        self.addOne(receivedItem); // works
    }
});

或者您可以使用下划线的bind方法将不同的上下文绑定到函数:

success : _.bind(function(receivedItem, response) {
    this.addOne(receivedItem); 
}, this)
于 2012-12-29T11:43:11.047 回答
0

这可能是一个迟到的答案。但会帮助正在寻找它的人。这是从 settimeout 回调访问“this”关键字

CommentsListView = Backbone.View.extend({
...
    addOne: function (item) {
        // DO Stuff
    },
    addNewComment: _.bind(function (event) {
        setTimeout(_.bind(function(){ 
            this.addOne(/*receivedItem*/);
        }, this), 1000);
    }, this)
});
于 2017-09-21T20:15:31.377 回答