我正在努力应对各种路线。这是我的代码
App.Router.map(function(){
this.resource('stuff', {path: '/stuff/:stuff_id'}, function() {
this.route('make');
this.route('edit');
this.route('delete');
this.route('history');
});
});
App.StuffRoute = Ember.Route.extend({
model: function(param) {
},
setupController: function (){
},
renderTemplate: function() {
}
});
App.StuffView= Ember.View.extend({
defaultTemplate: Ember.Handlebars.compile(stuffTemplate)
});
App.StuffController = Ember.Controller.extend();
我应该在StaffRoute
的模型中添加哪些内容,以免我出现No route matched the URL 'crisis'
错误?对于localhost/#stuff
,如何正确设置动态细分部分?我对ember文档的唯一问题是,所有示例都使用了非生产就绪的ember-data,我不想使用它。
答案 0 :(得分:1)
如果没有ember-data,通常会在路由上的model
方法中直接使用jQuery和getJSON。 model
方法支持promises,因此您可以重用jQuery promise。
例如,给定使用Flickr api加载/images/tag
路由的图像列表的路径,
App.Router.map(function() {
this.resource('images', { path: '/images/:tag'});
});
App.ImagesRoute = Ember.Route.extend({
model: function(params) {
flickerAPI = 'http://api.flickr.com/services/feeds/photos_public.gne?jsoncallback=?';
console.log('ImagesRoute.model', params);
return jQuery.getJSON( flickerAPI, {
tags: params.tag,
tagmode: 'any',
format: "json"
})
.then(function(data) {
console.log('loaded images', data);
return data;
})
.then(null, function() { console.log('failed to load images'); });
}
});
相应的控制器可以自动访问/绑定返回的json的属性。或者您可以为一些计算属性添加别名。
App.ImagesController = Ember.ObjectController.extend({
images: function() {
return this.get('model').items;
}.property('controller'),
title: function() {
return this.get('model').title;
}.property('images')
});
然后使用这些属性通过把手渲染它。
<script type='text/x-handlebars' data-template-name='images'>
<h1>{{title}}</h1>
{{#each image in images}}
<img {{bindAttr src='image.media.m'}} />
{{/each}}
</script>
这是jsbin example执行此操作。
答案 1 :(得分:0)
'/stuff/:stuff_id'
仅匹配/stuff/something
,而不是'/stuff'
。
尝试定义单独的资源:
App.Router.map(function(){
this.resource('stuffs', {path: '/stuff'});
this.resource('stuff', {path: '/stuff/:stuff_id'}, function() {
// routes ...
});
或
App.Router.map(function(){
this.resource('stuffs', {path: '/stuff'}, function() {
this.resource('stuff', {path: '/:stuff_id'}, function() {
// routes ...
});
});
并使用App.StuffsRoute
,App.StuffsView
和App.StuffsController
作为此资源。