3

我们有一个由侧边栏和几个子视图组成的主干视图。为简单起见,我们决定让侧边栏和子视图由单个render函数管理。但是,click .edit单击侧边栏项目之一后,该事件似乎多次触发。例如,如果我从“general”开始并单击.edit,则hello触发一次。如果我然后单击.profile侧边栏并.edit再次单击,则会hello触发两次。有任何想法吗?

看法

events: {
  "click .general": "general",
  "click .profile": "profile",
  "click .edit": "hello",
},

general: function() {
  app.router.navigate("/account/general", {trigger: true});
},

profile: function() {
  app.router.navigate("/account/profile", {trigger: true});
},

render: function(section) {
  $(this.el).html(getHTML("#account-template", {}));
  this.$("#sidebar").html(getHTML("#account-sidebar-template", {}));
  this.$("#sidebar div").removeClass("active");
  switch (this.options.section) {
    case "profile":
      this.$("#sidebar .profile").addClass("active");
      this.$("#content").html(getHTML("#account-profile-template"));
      break;
    default:
      this.$("#sidebar .general").addClass("active");
      this.$("#content").html(getHTML("#account-general-template"));
  }
},

hello: function() {
  console.log("Hello world.");
},

路由器

account: function(section) {
  if (section) {
    var section = section.toLowerCase();
  }
  app.view = new AccountView({model: app.user, section: section});
},

解决方案

我的解决方案是将路由器更改为:

account: function(section) {
  if (section) {
    var section = section.toLowerCase();
  }
  if (app.view) {
    app.view.undelegateEvents();
  }
  app.view = new AccountView({model: app.user, section: section});
},

这暂时有效,但这会造成内存泄漏吗?

4

3 回答 3

6

当我第一次开始使用主干时,我遇到了完全相同的问题。就像彼得说的那样,问题在于您创建了多个视图实例并监听事件。为了解决这个问题,我在上一个主干项目中创建了这个解决方案:

/* Router view functions */
showContact:function () {
    require([
        'views/contact'
    ], $.proxy(function (ContactView) {
        this.setCurrentView(ContactView).render();
    }, this));
},
showBlog:function () {
    require([
        'views/blog'
    ], $.proxy(function (BlogView) {
        this.setCurrentView(BlogView).render();
    }, this));
},


/* Utility functions */
setCurrentView:function (view) {
    if (view != this._currentView) {
        if (this._currentView != null && this._currentView.remove != null) {
            this._currentView.remove();
        }
        this._currentView = new view();
    }
    return this._currentView;
}

如您所见,它总是删除最后一个视图并创建一个新视图,然后渲染。我还在路由器中添加了一条 require 语句,因为我不想在真正需要它们之前加载路由器中的所有视图。祝你好运。

于 2013-07-24T01:32:17.227 回答
0

听起来您将多个视图实例附加到同一个 DOM 元素并且它们都在响应事件。您是否在每次导航时都创建一个新视图而不删除先前的视图?

于 2013-07-23T23:23:53.753 回答
0

我有一个动态视图,它根据路由器参数在同一个元素(大约 12 个)内呈现不同的模板。现在,视图呈现的容器在 view.render() 中定义,如“el: '#some-container'”。自然,我必须在创建新的或相同的视图之前删除视图(如果存在),以防止僵尸和 s#!t。提醒一下,调用 view.remove() 实际上会从 DOM 中删除“#some-container”,这意味着除了第一次之外,视图没有地方可以渲染。现在,有几十种方法可以防止这种情况发生。只是想我应该分享一下,以防有人需要节省几个小时的研究。

于 2014-01-06T00:01:01.677 回答