1

在我的 ember 应用程序中,有一个模型的属性可能会或可能不会更改的事件。我的控制器中还有一个计算属性,它依赖于我的模型的属性和我的应用程序中的另一个变量(不属于模型)。

即使模型的属性在偶数触发时没有改变,其他应用程序变量也会改变,这会影响控制器的计算属性,我希望这些改变能够反映在事件触发上。

我注意到,如果分配了相同的值,ember 不会“更新”属性,而且我似乎找不到强制更新的方法。

现在我有一个奶酪修复,如果模型的属性没有改变,我将值更改为其他值,然后将其重置回原来的值以触发控制器的计算属性。这不是很有效或干净。还有另一种方法来处理这个吗?

编辑:简要展示我正在发生的事情......

session.other_application_var = [1, 2];

App.MyModel = Ember.Object.extend({
  model_prop: 1
});

//an instance of MyModel is assigned to the index route's model

App.IndexController = Ember.ObjectController.extend({
  comp_prop: function(){
    var sum = this.get('model.model_prop');
    session.other_application_var.forEach(function(num){
      sum += num;
    });
    return sum;
  }.property('model.model_prop)
});

所以基本上,如果我更改 session.other_application_var,例如添加另一个元素,我希望 comp_prop 更新。

4

1 回答 1

2

您可以使用特殊@each属性来观察数组的变化。下面的更改意味着comp_prop将在model.model_prop“App.otherStuff.@each”更改时更新。

App = Ember.Application.create({
  otherStuff: [2,3,4]
});

App.IndexController = Ember.ObjectController.extend({
  comp_prop: function(){
    var sum = this.get('model.model_prop');
    var otherStuff = App.get('otherStuff');
    otherStuff.forEach(function(num){
      sum += num;
    });
    return sum;
  }.property('model.model_prop', 'App.otherStuff.@each')
}

完整的工作示例 JSBin

于 2013-07-03T22:02:42.220 回答