如何ember.js单元测试的看法?(How to unit test views in ember

2019-08-17 00:20发布

我们在学习Ember.js的过程。 我们尽我们所有的开发TDD,并希望Ember.js也不例外。 我们有经验的建筑Backbone.js的应用程式测试驱动的,所以我们熟悉使用茉莉花或摩卡/柴测试前端代码。

当搞清楚如何测试的看法,我们遇到了当视图使用模板有一个问题#linkTo声明。 很遗憾,我们无法找到良好的测试实例和实践。 该要点是我们的追求,以得到答案如何体面单元测试烬应用。

当在寻找在Ember.js源代码测试linkTo ,我们注意到它包含灰烬应用程序支持的完整线路#linkTo 。 这是否意味着测试模板时,我们不能存根这种行为?

如何创建使用模板呈现烬看法测试?

这是一个要点与我们的测试和模板,这将使测试通不过,和模板,这将使其失败。

view_spec.js.coffee

# This test is made with Mocha / Chai,
# With the chai-jquery and chai-changes extensions

describe 'TodoItemsView', ->

  beforeEach ->
    testSerializer = DS.JSONSerializer.create
      primaryKey: -> 'id'

    TestAdapter = DS.Adapter.extend
      serializer: testSerializer
    TestStore = DS.Store.extend
      revision: 11
      adapter: TestAdapter.create()

    TodoItem = DS.Model.extend
      title: DS.attr('string')

    store = TestStore.create()
    @todoItem = store.createRecord TodoItem
      title: 'Do something'

    @controller = Em.ArrayController.create
      content: []

    @view = Em.View.create
      templateName: 'working_template'
      controller: @controller

    @controller.pushObject @todoItem

  afterEach ->
    @view.destroy()
    @controller.destroy()
    @todoItem.destroy()

  describe 'amount of todos', ->

    beforeEach ->
      # $('#konacha') is a div that gets cleaned between each test
      Em.run => @view.appendTo '#konacha'

    it 'is shown', ->
      $('#konacha .todos-count').should.have.text '1 things to do'

    it 'is livebound', ->
      expect(=> $('#konacha .todos-count').text()).to.change.from('1 things to do').to('2 things to do').when =>
        Em.run =>
          extraTodoItem = store.createRecord TodoItem,
            title: 'Moar todo'
          @controller.pushObject extraTodoItem

broken_template.handlebars

<div class="todos-count"><span class="todos">{{length}}</span> things to do</div>

{{#linkTo "index"}}Home{{/linkTo}}

working_template.handlebars

<div class="todos-count"><span class="todos">{{length}}</span> things to do</div>

Answer 1:

我们的解决方案已经基本上加载整个应用程序,而是尽可能地孤立我们的测试对象。 例如,

describe('FooView', function() {
  beforeEach(function() {
    this.foo = Ember.Object.create();
    this.subject = App.FooView.create({ foo: this.foo });
    this.subject.append();
  });

  afterEach(function() {
    this.subject && this.subject.remove();
  });

  it("renders the foo's favoriteFood", function() {
    this.foo.set('favoriteFood', 'ramen');
    Em.run.sync();
    expect( this.subject.$().text() ).toMatch( /ramen/ );
  });
});

也就是说,路由器和其它全局可用,所以它不是完全隔离 ,但我们可以在双打轻松地发送的东西下测试更接近目标。

如果你真的想路由器隔离的linkTo帮助查找它作为controller.router ,所以你可以做

this.router = {
  generate: jasmine.createSpy(...)
};

this.subject = App.FooView.create({
  controller: { router: this.router },
  foo: this.foo
});


Answer 2:

你可以处理这个问题的方法之一是创建为linkTo助手存根,然后在之前的块使用它。 这将绕过真正linkTo(如路由)的所有额外要求,让您专注于视图的内容。 以下是我正在做它:

// Test helpers
TEST.stubLinkToHelper = function() {
    if (!TEST.originalLinkToHelper) {
        TEST.originalLinkToHelper = Ember.Handlebars.helpers['link-to'];
    }
    Ember.Handlebars.helpers['link-to'] = function(route) {
        var options = [].slice.call(arguments, -1)[0];
        return Ember.Handlebars.helpers.view.call(this, Em.View.extend({
            tagName: 'a',
            attributeBindings: ['href'],
            href: route
        }), options);
    };
};

TEST.restoreLinkToHelper = function() {
    Ember.Handlebars.helpers['link-to'] = TEST.originalLinkToHelper;
    TEST.originalLinkToHelper = null;
};

// Foo test
describe('FooView', function() {
    before(function() {
        TEST.stubLinkToHelper();
    });

    after(function() {
        TEST.restoreLinkToHelper();
    });

    it('renders the favoriteFood', function() {
        var view = App.FooView.create({
            context: {
                foo: {
                    favoriteFood: 'ramen'
                }
            }
        });

        Em.run(function() {
            view.createElement();
        });

        expect(view.$().text()).to.contain('ramen');
    });
});


文章来源: How to unit test views in ember.js?