2
App.Router.map(function() {
    this.resource('documents', { path: '/documents' }, function() {
        this.route('edit', { path: ':document_id/edit' });
    });
    this.resource('documentsFiltered', { path: '/documents/:type_id' }, function() {
        this.route('edit', { path: ':document_id/edit' });
        this.route('new');
    });
});

这个控制器带有一个子视图事件,基本上转换为过滤后的文档

App.DocumentsController = Ember.ArrayController.extend({
    subview: function(context) {
    Ember.run.next(this, function() {
        //window.location.hash = '#/documents/'+context.id;
        return this.transitionTo('documentsFiltered', context);
    });
},
});

我的问题是,当页面的哈希发生变化时,这段代码可以正常工作。

但是当我运行上面的代码而不是 location.hash 位和使用 Ember 本机时transitionTo,我得到了一个神秘的

未捕获的类型错误:对象 [对象对象] 没有方法“切片”

有什么线索吗?

谢谢

更新:

App.DocumentsFilteredRoute = Ember.Route.extend({
model: function(params) {
    return App.Document.find({type_id: params.type_id});
},
});

{{#collection contentBinding="documents" tagName="ul" class="content-nav"}}
<li {{action subview this}}>{{this.nameOfType}}</li>
{{/collection}}
4

1 回答 1

5

问题是您的模型挂钩返回一个数组,而在您的transitionTo 中您使用的是单个对象。根据经验,您对 transitionTo 的调用应该传递与模型挂钩返回的相同数据结构。按照这个经验法则,我建议执行以下操作:

App.DocumentsController = Ember.ArrayController.extend({
    subview: function(document) {
        var documents = App.Document.find({type_id: document.get("typeId")});
        Ember.run.next(this, function() {
            return this.transitionTo('documentsFiltered', documents);
        });
    }
});

注意:我假设 type_id 存储在属性 typeId 中。也许您需要根据自己的需要对其进行调整。

于 2013-04-09T08:44:44.873 回答