0

我试图创建两个视图并在不同情况下更改集合。我不知道如何设置 this.collection.bind 以便在每次集合更改时引发事件渲染。

在 3 种情况下,我希望 viewBusinessListView会触发render

  1. this.businesslist.collection = new Businesses([{ name: '1'}, { name: '2' }]);
  2. this.businesslist.set();调用this.collection = new Businesses([{ name: '3'}, { name: '4' }]);
  3. this.search_location = new SearchLocation();这是不同的视图,然后将集合发送到视图BusinessListView

我期待在 1 和 2 的控制台中看到数据,但它不起作用。如果我手动添加 .render() ,我可以看到集合已更改。你能解释一下这是如何工作的吗?

更新

感谢 Alex,这是完全可行的解决方案:

http://jsfiddle.net/feronovak/RAPjM/

var App = {
    run: function() {
        this.businesslist = new BusinessListView(); 
        this.businesslist.collection = new Businesses([{ name: '1'}, { name: '2' }]);
        // this.businesslist.render(); // uncomment to see collection change 
        this.businesslist.set();

        this.search_location = new SearchLocation();
    }
};

Business = Backbone.Model.extend({});
Businesses = Backbone.Collection.extend({
    model:  Business
});

BusinessListView = Backbone.View.extend({
    initialize: function(options) {
        this.collection = new Businesses();
        this.collection.bind("reset", this.render(), this);
    },
    render: function() {
        console.log(this.collection.toJSON());
    },
    set: function()
    {
        this.collection = new Businesses([{ name: '3'}, { name: '4' }]);
        // this.render(); // uncomment to see collection change 
    }
});

SearchLocation = Backbone.View.extend({
    el: "#search",
    initialize: function() {
        this.sendData();
    },
    sendData: function() {
        //  Send [{ name: '5'}, { name: '6' }] to this.businesslist  = new Businesses([{ name: '5'}, { name: '6' }]);
    }
});

$(document).ready(function(e) {
    App.run();
});
4

1 回答 1

1

您不断将 this.collection 引用设置为不同的实例。它不会“重置”,因为您从未真正重置初始化中引用的对象。

代替:

set: function()
    {
        this.collection = new Businesses([{ name: '3'}, { name: '4' }]);
    }

尝试:

set: function()
    {
        this.collection.reset([{ name: '3'}, { name: '4' }]);
    }

并在运行中删除:

this.businesslist.collection = new Businesses([{ name: '1'}, { name: '2' }]);

这里的例子:http: //jsfiddle.net/aXJ9x/1/

于 2013-03-27T13:23:15.647 回答