我一直在阅读关于backbone.js中嵌套视图的大量阅读,并且我了解很多,但仍然让我感到困惑的一件事是......
如果我的应用程序有一个 shell 视图,其中包含在使用应用程序的过程中不会改变的子视图(如页面导航、页脚等),我是否需要为每条路由渲染 shell 还是我做某种检查视图以查看它是否已经存在?
如果有人在应用程序中继续前进之前没有击中“家”路线,那么在我看来是这样。
我在谷歌搜索中没有发现任何有用的信息,所以任何建议都值得赞赏。
谢谢!
我一直在阅读关于backbone.js中嵌套视图的大量阅读,并且我了解很多,但仍然让我感到困惑的一件事是......
如果我的应用程序有一个 shell 视图,其中包含在使用应用程序的过程中不会改变的子视图(如页面导航、页脚等),我是否需要为每条路由渲染 shell 还是我做某种检查视图以查看它是否已经存在?
如果有人在应用程序中继续前进之前没有击中“家”路线,那么在我看来是这样。
我在谷歌搜索中没有发现任何有用的信息,所以任何建议都值得赞赏。
谢谢!
由于您的“外壳”或“布局”视图永远不会改变,因此您应该在应用程序启动时渲染它(在触发任何路由之前),并将进一步的视图渲染到布局视图中。
假设您的布局看起来像这样:
<body>
<section id="layout">
<section id="header"></section>
<section id="container"></section>
<section id="footer"></section>
</section>
</body>
您的布局视图可能如下所示:
var LayoutView = Backbone.View.extend({
el:"#layout",
render: function() {
this.$("#header").html((this.header = new HeaderView()).render().el);
this.$("#footer").html((this.footer = new FooterView()).render().el);
return this;
},
renderChild: function(view) {
if(this.child)
this.child.remove();
this.$("#container").html((this.child = view).render().el);
}
});
然后,您将在应用程序启动时设置布局:
var layout = new LayoutView().render();
var router = new AppRouter({layout:layout});
Backbone.history.start();
在您的路由器代码中:
var AppRouter = Backbone.Router.extend({
initialize: function(options) {
this.layout = options.layout;
},
home: function() {
this.layout.renderChild(new HomeView());
},
other: function() {
this.layout.renderChild(new OtherView());
}
});
有很多方法可以给这只特殊的猫剥皮,但这是我通常处理它的方式。这为您提供了一个单一的控制点 ( renderChild
) 来呈现您的“顶级”视图,并确保在remove
呈现新元素之前前一个元素是 d 。如果您需要更改视图的呈现方式,这也可能会派上用场。