我正在为我的组件创建一些单元测试,但是测试一直失败,因为我正在测试按钮 不会被点击事件触发。
我已将文档用作测试的基础:https://vuetifyjs.com/sv-SE/getting-started/unit-testing/
我还尝试了此处提到的一些建议:https://forum.vuejs.org/t/how-to-trigger-an-onchange-event/11081/4
但是似乎我缺少什么,有人可以帮助我吗?
我的测试:
test('If you can click on the Test button', () => {
const wrapper = shallowMount(myComponent, {
localVue,
vuetify,
});
const event = jest.fn();
const button = wrapper.find({name: 'v-btn'})
expect(button.exists()).toBe(true) //this works
wrapper.vm.$on('v-btn:clicked', event)
expect(event).toHaveBeenCalledTimes(0)
button.trigger('click')
expect(event).toHaveBeenCalledTimes(1)
})
myComponent:
<template>
<v-btn class="primary-text" @click.native="methodForTesting($event)">Test</v-btn>
<template>
<script>
methods: {
methodForTesting(){
console.log('button clicked!')
}
</script>
答案 0 :(得分:3)
希望对您有所帮助,我稍微更改了您的 HTML。
<div>
并将 <v-btn>
放入其中,这是非常
很重要。index
的数据属性,它是
在 1
中初始化。data-testid="button"
来识别
并在测试过程中找到它。<template>
<div>
<v-btn data-testid="button" class="primary-text" @click="methodForTesting">Test</v-btn>
</div>
</template>
<script>
export default {
data() {
return {
index: 1
};
},
methods: {
methodForTesting() {
this.index++;
}
}
};
</script>
现在进行单元测试。
关键是使用 vm.$emit('click')
而不是 .trigger('click')
,因为 v-btn
是 Vuetify 的一个组件。如果您使用的是 button
标签,那么您可以使用 .trigger('click')
。
另外,我改变了 jest 找到这个按钮的方式。
import Vuetify from 'vuetify'
// Utilities
import { mount, createLocalVue } from '@vue/test-utils'
// Components
import Test from '@/views/Test.vue';
// VARIABLES INITIALIZATION //
const vuetify = new Vuetify()
const localVue = createLocalVue()
// TESTING SECTION //
describe('Testing v-btn component', () => {
it('should trigger methodForTesting', async () => {
const wrapper = mount(Test, {
localVue,
vuetify,
})
const button = wrapper.find('[data-testid="button"]')
expect(button.exists()).toBe(true)
expect(wrapper.vm.$data.index).toBe(1)
button.vm.$emit('click')
await wrapper.vm.$nextTick()
expect(wrapper.vm.$data.index).toBe(2)
})
})
现在,当您进行单元测试时,您应该检查输入和输出。在这种情况下,您的输入是点击事件,您的输出不是您的方法被调用,而是该方法修改或发送的数据。这就是为什么我声明 index
以查看单击按钮时它是否发生变化。
无论如何,如果您想检查您的方法是否被调用,您可以使用此代码代替
describe('Testing v-btn component', () => {
it('should trigger methodForTesting', async () => {
const methodForTesting = jest.fn()
const wrapper = mount(Test, {
localVue,
vuetify,
methods: {
methodForTesting
}
})
const button = wrapper.find('[data-testid="button"]')
expect(button.exists()).toBe(true)
expect(methodForTesting).toHaveBeenCalledTimes(0)
button.vm.$emit('click')
await wrapper.vm.$nextTick()
expect(methodForTesting).toHaveBeenCalledTimes(1)
})
})
但是你会收到下一个错误:
[vue-test-utils]: overwriting methods via the `methods` property is deprecated and will be removed in the next major version. There is no clear migration path for the `methods` property - Vue does not support arbitrarily
replacement of methods, nor should VTU. To stub a complex method extract it from the component and test it in isolation. Otherwise, the suggestion is to rethink those tests.
顺便说一句,这是我的第一篇文章