在Emberjs中没有处理事件错误

时间:2013-08-06 20:36:37

标签: javascript json ember.js

我试图通过在Emberjs中使用'filterProperty'来过滤JSON响应。但我收到此错误,Uncaught Error: Nothing handled the event 'last'

这是我的App.js

App = Ember.Application.create({});

App.IndexRoute = Ember.Route.extend({
    renderTemplate : function(controller) {
        this.render('MyApp', {
            controller : controller
        });
    },
    model : function() {
        return App.MyTemplateModel.find();
    }
});

App.IndexController = Ember.ArrayController.extend({
    last : (function() {
        this.get('content').filterProperty('last_name', 'Solow');
    }).property('content.@each.type')
});

App.MyTemplateModel = Ember.Model.extend({
    id : Ember.attr(),
    last_name : Ember.attr(),
    first_name : Ember.attr(),
    suffix : Ember.attr(),
    expiration : Ember.attr()
});

App.SiteController = Ember.ObjectController.extend({

});

App.MyTemplateModel.url = "http://ankur1.local/index.php/api/example/users/";
App.MyTemplateModel.adapter = Ember.RESTAdapter.create();
var existing = App.MyTemplateModel.find();
App.MyTemplateModel.camelizeKeys = true;

这是我的HTML页面,

<script type="text/x-handlebars" data-template-name="MyApp">

            {{#each item in content }}
            <tr><td>
            {{id}} <p> {{item.first_name}} {{item.expiration}}</p>
            </td></tr>
            {{/each}}

            <button {{action last}}>filter</button>

        </script>

        <script type="text/x-handlebars">
            <h1>Application Template</h1>
            {{outlet}}
        </script>

    </body>

我在App.js中可能出错了什么,或者我应该使用任何其他属性来过滤JSON响应?

1 个答案:

答案 0 :(得分:1)

您在IndexController上将属性声明为Computed Property,但如果您想使用{{action}}帮助程序,则不允许这样做。这是一个简单的功能。这就是为什么Ember没有在任何地方找到合适的事件并抱怨它。

App.IndexController = Ember.ArrayController.extend({
    // for initial filling of this property, will be overridden by last action
    filteredContent : Ember.computed.oneWay("content"), 
    last : function() {
        var filtered = this.get('content').filterProperty('last_name', 'Solow');
        this.set("filteredContent", filtered);
    }
});

<script type="text/x-handlebars" data-template-name="MyApp">

{{#each item in filteredContent }}
  <tr><td>
  {{id}} <p> {{item.first_name}} {{item.expiration}}</p>
  </td></tr>
{{/each}}

<button {{action last}}>filter</button>

</script>

所以我基本上做了两件事:

  1. 我将计算属性更改为普通函数。
  2. 模板正在迭代过滤内容而非内容。(请注意我必须在您的控制器上进行初始化。)
  3. Sou的基本机制是在Controller上有一个附加属性,用于保存过滤后的内容。你必须对此进行扩展,因为你的用例确实有点复杂。 : - )