如何测试灰烬模型的计算性能有关系的依赖?(How to test an Ember model

2019-10-20 06:41发布

我正在写Qunit测试,以测试余烬模式,但具有有关系的依赖很难检测计算性能(计算财产触发另一个模型计算的属性)。

那个正在测试模型(CoffeeScript的):

Customer = DS.Model.extend
  firstName:      DS.attr('string')
  lastName:       DS.attr('string')
  phones:         DS.attr('embedded-list')
phone: (->
    @get('phones.firstObject.number')
  ).property('phones.firstObject.number')

fullName: (->
    [@get('lastName'), @get('firstName')].join(' ') )
  ).property('firstName','lastName')

会议型号:

Meeting = DS.Model.extend
  customers: DS.hasMany('customer')

  startAt:   DS.attr('isodate')
  status:    DS.attr()
  objective: DS.attr()

 customerPhones: (->
    phones = []
    @get('customers').forEach (c) ->
      c.get('phones').forEach (ph) ->
        phones.push(ph.number)
    phones
  ).property('customers.@each.phones')


  firstCustomer: (->
    @get('customers.firstObject')
  ).property('customers.firstObject')

 firstCustomerFullName: (->
    @get('firstCustomer.fullName')
  ).property('firstCustomer.fullName')

现在,测试customerPhonesfirstCustomerFullName是给我一个真正的困难时期...

我的测试看起来如下:

`import { test, moduleForModel } from 'ember-qunit';`

moduleForModel('meeting', 'App.Meeting',{
   needs: ['model:customer']
   setup: ->
     Ember.run do (t = @)->
       ->
        customer = t.store().createRecord 'customer', firstName: 'John', lastName: 'Smith', phones:[]
        customer.get('phones').addObject(Ember.Object.create({tag: 'home', number: '111222333'}))
        customer.get('phones').addObject(Ember.Object.create({tag: 'work', number: '444555666'}))

        t.subject().set('customers.content', Ember.ArrayProxy.create({content: []}));
        t.subject().get('customers.content').pushObject(customer)    
 teardown: ->
  },(container, context) ->
      container.register 'store:main', DS.Store
      container.register 'adapter:application', DS.FixtureAdapter
      context.__setup_properties__.store = -> container.lookup('store:main')
)

test "it's a DS.Model", -> ok(@subject())

test "attributes: can be created with valid values", ->
  meeting = @subject({objective: 'Follow up'})
  Ember.run ->
    equal(meeting.get('objective', 'Follow up'))


test "properties: firstCustomer & firstCustomerFullName & firstCustomerPhone", ->
  meeting = @subject()
  Ember.run ->
    equal(meeting.get('firstCustomer.fullName'),  'Smith John')
    equal(meeting.get('firstCustomer.phone'),     '111222333')

现在,我使用了一些技巧在这个测试中,我在这里对堆栈溢出的答案发现,但似乎我现在不能找到它。

这完美地工作,前几天,现在(似乎废话,我知道)每当我运行测试,它的错误:

断言失败:不能添加会议“记录(仅允许“会议”)这种关系

我不知道哪里出错,也不知道如何解决它。 花了一整天胡闹周围,没有结果。

我怎样才能解决这个问题?

Answer 1:

好吧,我有什么到目前为止太多的评论,所以我要做一个WIP答案。

  • 我删除了大部分的运行循环的,他们只负责异步过程必要的。

  • 我改变了一些你的计算性能,以computed.alias性质

phone: (->
  @get('phones.firstObject.number')
).property('phones.firstObject.number')

phone: Ember.computed.alias('phones.firstObject.number')
  • 我撕掉了大部分设置的,灰烬数据加载急切地在自己的商店,将使用灯具ID等没有具体说明。 (这部分可以放回到它,它只是没有必要在这种情况下)。

  },(container, context) ->
  container.register 'store:main', DS.Store
  container.register 'adapter:application', DS.FixtureAdapter
  context.__setup_properties__.store = -> container.lookup('store:main')
  • 我提前道歉,我不是CoffeeScript的的粉丝,所以我把它所有的JS。 现在的问题是,如果你看到的仍然是,我们可能需要找出灰烬,ED,并且您使用灰烬Qunit什么版本的任何问题。

http://emberjs.jsbin.com/OxIDiVU/625/edit



Answer 2:

我发现这个问题,寻找“如何单元测试使用的hasMany一个计算的财产”。

这里是我是如何做到的(感谢Kitler)一个简单的例子:

冰箱型号:

foods: DS.hasMany('food', {async: true}),

inDateFoods: Ember.computed('foods.@each.{ignoreEndDate,endDate}', function() {
  let foods = this.get('foods');
  let now = moment();
  return foods.filter(f => f.get(ignoreEndDate) || moment(c.get('endDate')).isAfter(now));
})

所以说,我们现在要在一个单元测试来测试inDateFoods? 然后做你的冰箱模型的测试文件:

import Ember from 'ember';
import { moduleForModel, test } from 'ember-qunit';
import Fridge from '../../../models/fridge';

Fridge.reopen({
  foods: Ember.computed(() => [])
});

moduleForModel('fridge', 'Unit | Model | fridge', {
  // Specify the other units that are required for this test.
  needs: ['model:food']
});

test('filters correctly', function(assert) {
  assert.expect(1);
  let model = this.subject();
  model.pushObject(Ember.Object.create({foods: [{id: 1, ignoreEndDate: false, endDate: '2050-03-08T00:00:00'});

  assert.equal(model.get('inDateFoods.length'), 1);
});

他们在这里关键是要重新打开你的模型中删除有很多,做后推对象this.subject 。 做重新打开我们得到的错误之前All elements of a hasMany relationship must be instances of DS.Model, you passed [[object Object]] error



文章来源: How to test an Ember model's computed property that has relations dependencies?