0

我正在尝试构建一个简单的 crud 应用程序,其中包含一个项目的视图和一个包含该项目视图的 listView,它是从一个集合构建的。我想要一个特定项目的detailView,但是当切换到这个detailView时,我不知道如何正确处理listView。我已经看到了在单个视图上删除僵尸的解决方案,但对于由集合组成的视图却没有。是否有任何直接的方法来清理由视图组成的列表视图?

var Model = Backbone.Model.extend({
defaults : {
    id : '',
    name : ''
}

});
var Collection = Backbone.Collection.extend({
model : Model
})
var HomeView = Backbone.View.extend({
tagName : "div",
id : "home-view",
initialize : function() {
    $("body").html(this.el);
    this.render();
},
render : function() {
    this.$el.html("<h1>This is the home page</h1><a href='#users'>Go to users</a>");
}
});

var UserView = Backbone.View.extend({
tagName : "li",
initialize : function(e) {

    _.bindAll(this, "alertName");
    this.render();
},
events : {
    "click" : "alertName"
},
render : function() {
    this.$el.html("Hi, my name is " + this.model.get('name'));
},
alertName : function() {
    alert(this.model.get('name'));
}
});
var UsersView = Backbone.View.extend({
tagName : "ul",
id : "users-list",
subViews : [],
initialize : function(e) {
    $("body").html(this.el);
    this.collection = new Collection([{
        id : '4',
        name : 'candy'
    }, {
        id : '2',
        name : 'soap'
    }, {
        id : '3',
        name : 'pepper'
    }]);
    console.log(this.collection)

    this.render();
},
render : function() {
    var self = this;
    this.collection.forEach(function(model) {

        var cView = new UserView({
            model : model
        })
        self.subViews.push(cView);
        self.$el.append(cView.el);
    })

    this.$el.after("<a href='#home'>Go to home</a>");
},
close : function() {

    while (this.subViews.length) {
        this.subViews.pop().remove();

    }

    this.remove();
}
});
var Router = Backbone.Router.extend({
routes : {
    "" : "home",
    "home" : "home",
    "users" : "users"
},
initialize : function(options) {
    console.log('router')

 },

  home : function(e) {
     console.log('home')
     this.loadView(new HomeView());

 },
users : function(e) {
    console.log('users');
      this.loadView(new UsersView());

},
loadView : function(view) {
    this.view && (this.view.close ? this.view.close() : this.view.remove());
    this.view = view;
}
});
$(document).ready(function() {

var router = new Router();
Backbone.history.start({

});
});
4

1 回答 1

1

在过去,这就是我所做的:

基本上,您要做的是在创建这些新ItemViews 时跟踪它们。在您ItemsView创建children键控model.cid或其他内容的哈希(用于快速查找)或只是一组视图。

在你的上面放置一个remove函数,ItemsView调用时将调用超级 Backbone.View#remove 并循环遍历它们children并调用它们中的每一个上的 remove。

您还可以在您的方法上放置一个removeItemView方法,该方法Itemsview采用模型并在您的模型中查找它children,然后调用remove它。

于 2013-11-06T19:55:06.220 回答