2

这是情况。我正在编写一个 Ember.js 示例,其中我在页面上显示一个便签列表。每个注释都有一个永久链接,单击该链接时,会将列表缩小 6 列而不是 12 列,然后在空白处显示注释。单击链接时它工作得很好,但是当我使用后退按钮返回列表时,它不起作用。这是我的代码:

App.Router.map(function(){
  this.resource("notes", function(){
    this.resource("note", { path: "/:note_id" });
  });
});

App.NotesRoute = Ember.Route.extend({
  model: function(){
    return App.Note.find();
  },
  setupController: function(controller){
    controller.set("isShowing", false);
  }
});

App.NoteRoute = Ember.Route.extend({
  setupController: function(){
    this.controllerFor("notes").set("isShowing", true);
  }
});

每个州都有一个模板:

<script type="text/x-handlebars">
  <div class="row">
    <div class="twelve columns">
      <h1>Ember Stickies</h1>
      {{outlet}}
    </div>
  </div>
</script>

<script type="text/x-handlebars" data-template-name="notes">
  <div class="row">
    <div class="twelve columns">
    <h3>My Notes</h3>
    </div>
  </div>
  <div class="row">
    <div {{bindAttr class="isShowing:six:twelve :columns"}}>
      <ul class="block-grid four-up mobile-one-up">
      {{#each note in controller}}
        <li class="sticky-list-item">
          {{view Ember.TextArea classNames="sticky-note" valueBinding="note.content"}}
          {{#linkTo note note classNames="sticky-permalink"}}
            ∞
          {{/linkTo}}
        </li>
      {{/each}}
      </ul>
    </div>
    {{outlet}}
  </div>
</script>

当 Ember 调用NoteRoutessetupController时,它设置isShowingtrue。但是,当我使用后退按钮返回时NotesRoutesetupController不会调用,因此isShowing永远不会更改为 false。我认为这是有意的 Ember 行为,那么是否可以使用回调来挂钩此转换?

4

2 回答 2

2

从 Ember 1.0.0-rc.1 开始,deactivate已添加为exit. 你不再需要打电话_super,也不应该再使用exit了。

App.NoteRoute = Ember.Route.extend({
  setupController: function(){
    this.controllerFor("notes").set("isShowing", true);
  },
  deactivate: function(){
    this.controllerFor("notes").set("isShowing", false);
  }
});

http://emberjs.com/api/classes/Ember.Route.html#method_deactivate

http://emberjs.com/blog/2013/02/15/ember-1-0-rc.html

于 2013-02-20T19:45:36.030 回答
0

我通过搜索 Github 问题找到了答案。路由有一个exit回调,会在转出时触发。this._super()我的路由处理程序现在看起来像(注意最后的调用exit-非常重要!):

App.NoteRoute = Ember.Route.extend({
  setupController: function(){
    this.controllerFor("notes").set("isShowing", true);
  },
  exit: function(){
    this.controllerFor("notes").set("isShowing", false);
    this._super();
  }
});
于 2013-01-27T03:29:22.720 回答