10

我正在编写单元测试以vuelidate在我的组件中进行验证。我发现该$touch()方法是异步调用的,所以我需要$nextTick()使用expect(). 当我需要两个nextTick()s两个时出现问题expect()s

describe('Validations', () => {
    let data
    let myComponent
    beforeEach(() => {
        data = () => {
            propertyABC = 'not allowed value'
        }
        myComponent = localVue.component('dummy', {template: '<div></div>', validations, data})

    it('Properly validates propertyABC', (done) => {
        Vue.config.errorHandler = done
        let wrapper = mount(myComponent, {localVue})
        wrapper.vm.$v.$touch()

        wrapper.vm.$nextTick(() => {
            expect(wrapper.vm.$v.propertyABC.$error).to.be.true
            # fails, because propertyABC === 'allowed value', adn thus $error is false
            done()
        }

        wrapper.vm.propertyABC = 'allowed value'
        wrapper.vm.$v.propertyABC.$touch()

        wrapper.vm.$nextTick(() => {
            expect(wrapper.vm.$v.proprtyABC.$error).to.be.false
            done()
        }
    })
})

如何在不将其拆分为两个单独的测试的情况下运行此测试?我认为嵌套$nextTick()可能会起作用,但对于更多的测试来说它并不灵活。

4

2 回答 2

20

如果您能够使用async函数,那么您可以await调用$nextTick。这将避免必须嵌套它们并将所有内容都保留在同一个测试中。

像这样:

describe('Validations', () => {
  let data;
  let myComponent;
  beforeEach(() => {
    data = () => ({ propertyABC = 'not allowed value' });
    myComponent = localVue.component('dummy', {template: '<div></div>', validations, data});
  });

  it('Properly validates propertyABC', async  () => {
    let wrapper = mount(myComponent, {localVue});
    wrapper.vm.$v.$touch();

    await wrapper.vm.$nextTick();

    expect(wrapper.vm.$v.propertyABC.$error).to.be.true;

    wrapper.vm.propertyABC = 'allowed value';
    wrapper.vm.$v.propertyABC.$touch();

    await wrapper.vm.$nextTick();

    expect(wrapper.vm.$v.proprtyABC.$error).to.be.false;
  })
})
于 2018-02-12T17:16:20.710 回答
4

另一种方法是使用 flushPromises。

import flushPromises from 'flush-promises';
...

test('some async test', async () => {
  const wrapper = mount(MyComponent, { localVue });
  wrapper.vm.$v.$touch();
  await flushPromises();
});

flushPromises()本身返回一个承诺,因此当您需要/想要使用.then().then()等链接事物时它很有用......

于 2019-03-12T16:02:49.630 回答