文章详情

短信预约-IT技能 免费直播动态提醒

请输入下面的图形验证码

提交验证

短信预约提醒成功

前端Vue单元测试知识点有哪些

2023-06-22 04:22

关注

本篇内容介绍了“前端Vue单元测试知识点有哪些”的有关知识,在实际案例的操作过程中,不少人都会遇到这样的困境,接下来就让小编带领大家学习一下如何处理这些情况吧!希望大家仔细阅读,能够学有所成!

一、为什么需要单元测试

单元测试是用来测试项目中的一个模块的功能,如函数、类、组件等。单元测试的作用有以下:

二、如何写单元测试

测试原则

编写步骤

三、测试工具

单元测试的工具可分为三类:

这里,我们将使用 Jest 作为例子。Jest 功能全面,集成了各种工具,且配置简单,甚至零配置直接使用。

四、Jest入门

Jest 官网的描述是这样的:

Jest is a delightful JavaScript Testing Framework with a focus on simplicity.

安装

yarn add --dev jest# or# npm install -D jest

简单示例

从官网提供的示例开始,测试一个函数,这个函数完成两个数字的相加,创建一个 sum.js 文件︰

function sum(a, b) {  return a + b;}module.exports = sum;

然后,创建 sum.test.js 文件︰

const sum = require('./sum');test('adds 1 + 2 to equal 3', () => {  expect(sum(1, 2)).toBe(3);});package.json 里增加一个测试任务:{  "scripts": {    "test": "jest"  }}

最后,运行 yarn test 或 npm run test ,Jest将打印下面这个消息:

PASS  ./sum.test.js
✓ adds 1 + 2 to equal 3 (5ms)

至此,完成了一个基本的单元测试。

注意:Jest 通过用 JSDOM 在 Node 虚拟浏览器环境模拟真实浏览器,由于是用 js 模拟 DOM, 所以 Jest 无法测试样式 。Jest 测试运行器自动设置了 JSDOM。

Jest Cli

你可以通过命令行直接运行Jest(前提是jest已经加到环境变量PATH中,例如通过 yarn global add jest 或 npm install jest --global 安装的 Jest) ,并为其指定各种有用的配置项。如:

jest my-test --notify --config=config.json

Jest 命令有以下常见参数:

更多选项查看Jest CLI Options.

使用配置文件

使用 jest 命令可生成一个配置文件:

jest --init

过程中会有几个选项供你选择:

√ Would you like to use Typescript for the configuration file? ... no
√ Choose the test environment that will be used for testing » jsdom (browser-like)
√ Do you want Jest to add coverage reports? ... yes
√ Which provider should be used to instrument code for coverage? » babel
√ Automatically clear mock calls and instances between every test? ... yes

配置文件示例(不是基于上述选择):

// jest.config.jsconst path = require('path')module.exports = {    preset: '@vue/cli-plugin-unit-jest/presets/typescript-and-babel',    rootDir: path.resolve(__dirname, './'),    coverageDirectory: '<rootDir>/tests/unit/coverage',    collectCoverageFrom: [        'src*.{js,ts,vue}',        'src/services*.spec.(js|jsx|ts|tsx)|**/__tests__

然后你可以基于这些数据来设置断言:

// 断言事件已经被触发expect(wrapper.emitted().foo).toBeTruthy()// 断言事件的数量expect(wrapper.emitted().foo.length).toBe(2)// 断言事件的有效数据expect(wrapper.emitted().foo[1]).toEqual([123])

还可以触发子组件的事件:

import { mount } from '@vue/test-utils'import ParentComponent from '@/components/ParentComponent'import ChildComponent from '@/components/ChildComponent'describe('ParentComponent', () => {  test("displays 'Emitted!' when custom event is emitted", () => {    const wrapper = mount(ParentComponent)    wrapper.find(ChildComponent).vm.$emit('custom')    expect(wrapper.html()).toContain('Emitted!')  })})

组件的data

可以使用 setData() 或 setProps 设置组件的状态数据:

it('manipulates state', async () => {  await wrapper.setData({ count: 10 })  await wrapper.setProps({ foo: 'bar' })})

模拟vue实例方法

由于Vue Test Utils 的 setMethods() 即将废弃,推荐使用 jest.spyOn() 方法来模拟Vue实例方法:

import MyComponent from '@/components/MyComponent.vue'describe('MyComponent', () => {  it('click does something', async () => {    const mockMethod = jest.spyOn(MyComponent.methods, 'doSomething')    await shallowMount(MyComponent).find('button').trigger('click')    expect(mockMethod).toHaveBeenCalled()  })})

全局插件

如果你需要安装所有 test 都使用的全局插件,可以使用 setupFiles,先在 jest.config.js 中指定 setup 文件:

// jest.config.jsmodule.exports = {    setupFiles: ['<rootDir>/tests/unit/setup.js']}

然后在 setup.js 使用:

// setup.jsimport Vue from 'vue'// 以下全局注册的插件在jest中不生效,必须使用localVueimport ElementUI from 'element-ui'import VueClipboard from 'vue-clipboard2'Vue.use(ElementUI)Vue.use(VueClipboard)Vue.config.productionTip = false

当你只是想在某些 test 中安装全局插件时,可以使用 localVue,这会创建一个临时的Vue实例:

import { createLocalVue, mount } from '@vue/test-utils'// 创建一个扩展的 `Vue` 构造函数const localVue = createLocalVue()// 正常安装插件localVue.use(MyPlugin)// 在挂载选项中传入 `localVue`mount(Component, {  localVue})

测试watch

假如我们有一个这样的watcher:

watch: {  inputValue(newVal, oldVal) {    if (newVal.trim().length && newVal !== oldVal) {      console.log(newVal)    }  }}

由于watch的调用是异步的,并且在下一个tick才会调用,因此可以通过检测watcher里的方法是否被调用来检测watch是否生效,使用 jest.spyOn() 方法:

describe('Form.test.js', () => {  let cmp  ...  describe('Watchers - inputValue', () => {    let spy    beforeAll(() => {      spy = jest.spyOn(console, 'log')    })    afterEach(() => {      spy.mockClear()    })    it('is not called if value is empty (trimmed)', () => {    })    it('is not called if values are the same', () => {    })    it('is called with the new value in other cases', () => {    })  })})it("is called with the new value in other cases", done => {  cmp.vm.inputValue = "foo";  cmp.vm.$nextTick(() => {    expect(spy).toBeCalled();    done();  });});

第三方插件

当我们使用一些第三方插件的时候,一般不需要关心其内部的实现,不需要测试其组件,可以使用 shallowMount 代替 mount, 减少不必要的渲染:

import { shallowMount } from '@vue/test-utils'const wrapper = shallowMount(Component)wrapper.vm // 挂载的 Vue 实例还可以通过 findAllComponents 来查找第三方组件:import { Select } from 'element-ui'test('选中总部时不显示分部和网点', async () => {    await wrapper.setProps({        value: {            clusterType: 'head-quarter-sit',            branch: '',            site: ''        }    })    // 总部不显示分部和网点    expect(wrapper.findAllComponents(Select)).toHaveLength(1)})

六、总结

单元测试理论

Jest

Vue Test Utils

“前端Vue单元测试知识点有哪些”的内容就介绍到这里了,感谢大家的阅读。如果想了解更多行业相关的知识可以关注编程网网站,小编将为大家输出更多高质量的实用文章!

阅读原文内容投诉

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

软考中级精品资料免费领

  • 历年真题答案解析
  • 备考技巧名师总结
  • 高频考点精准押题
  • 2024年上半年信息系统项目管理师第二批次真题及答案解析(完整版)

    难度     807人已做
    查看
  • 【考后总结】2024年5月26日信息系统项目管理师第2批次考情分析

    难度     351人已做
    查看
  • 【考后总结】2024年5月25日信息系统项目管理师第1批次考情分析

    难度     314人已做
    查看
  • 2024年上半年软考高项第一、二批次真题考点汇总(完整版)

    难度     433人已做
    查看
  • 2024年上半年系统架构设计师考试综合知识真题

    难度     221人已做
    查看

相关文章

发现更多好内容

猜你喜欢

AI推送时光机
位置:首页-资讯-后端开发
咦!没有更多了?去看看其它编程学习网 内容吧
首页课程
资料下载
问答资讯