1

我正在为路线的动态部分而苦苦挣扎。这是我的代码

        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,我不想使用它。

4

2 回答 2

1

如果没有 ember-data,您通常会将带有 jQ​​uery 的直接 getJSONmodel放在路由的方法中。这些model方法支持 Promise,因此您可以重用 jQuery Promise。

例如,给定/images/tag使用 Flickr api 为路线加载图像列表的路线将是,

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 示例

于 2013-06-24T14:29:52.970 回答
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.StuffsViewApp.StuffsController用于此资源。

于 2013-06-24T14:32:30.233 回答