3

如何处理来自商店或适配器的 restAdapter 错误?现在我正在使用这段代码:

App.ApplicationRoute = Ember.Route.extend({
    model: function(){
        var self = this;
        return this.store.find('item').then(function(data){
            return data;
        }, function (error){
            console.log('error');
            return [];
        });

    },
});

更一般的东西会更好。谢谢

4

1 回答 1

5

在对整个 ember 数据进行更复杂的错误处理之前,您可以执行以下操作以横切方式处理网络错误:

扩展 RESTAdapter 以解析来自 xhr 对象的错误

App.ApplicationAdapter = DS.RESTAdapter.extend({
  ajaxError: function (jqXHR) {
    jqXHR = this._super(jqXHR) || {status : 'unknown'};
    var error;
    if (jqXHR.status === 404) {
      error = 'not_found';
    } else if (...) {
      ...
    } else {
      error = 'dunno';
    }
    return error;
  }
});

扩展商店以在发生坏事时发布错误事件

App.Store = DS.Store.extend(Ember.Evented, {
  recordWasError: function (record, reason) {
    this._super.apply(this, arguments);
    this.trigger('error', reason);
  }
});

捕获应用程序路由中的错误

App.ApplicationRoute = Ember.Route.extend({
  setupController: function () {
    this.get('store').on('error', function (error) {
      // Do something with the error
      console.error(error);
    });
  },

  ...
});
于 2013-10-16T18:21:04.877 回答