jest单元测试

用jest写修改密码的弹出框的单元测试:

import { render, fireEvent } from '@testing-library/react';
import ChangePasswordModal from './ChangePasswordModal';describe('ChangePasswordModal', () => {test('renders password input fields and save button', () => {// 渲染组件const { getByLabelText, getByText } = render(<ChangePasswordModal />);// 获取密码输入框和确认密码输入框const passwordInput = getByLabelText('Password');const confirmPasswordInput = getByLabelText('Confirm Password');// 获取保存按钮const saveButton = getByText('Save');// 断言密码输入框、确认密码输入框和保存按钮存在expect(passwordInput).toBeInTheDocument();expect(confirmPasswordInput).toBeInTheDocument();expect(saveButton).toBeInTheDocument();});test('updates password state on input change', () => {// 渲染组件const { getByLabelText } = render(<ChangePasswordModal />);// 获取密码输入框和确认密码输入框const passwordInput = getByLabelText('Password');const confirmPasswordInput = getByLabelText('Confirm Password');// 模拟输入事件fireEvent.change(passwordInput, { target: { value: 'newPassword' } });fireEvent.change(confirmPasswordInput, { target: { value: 'newPassword' } });// 断言密码输入框和确认密码输入框的值已更新expect(passwordInput.value).toBe('newPassword');expect(confirmPasswordInput.value).toBe('newPassword');});test('calls savePassword function on save button click', () => {// 创建保存密码的mock函数const savePasswordMock = jest.fn();// 渲染组件,并传入mock函数作为propsconst { getByText } = render(<ChangePasswordModal savePassword={savePasswordMock} />);// 获取保存按钮并点击const saveButton = getByText('Save');fireEvent.click(saveButton);// 断言保存密码的mock函数已被调用expect(savePasswordMock).toHaveBeenCalled();});
});

用jest写一个请求数据渲染的list:

import { render } from '@testing-library/react';
import DataList from './DataList';describe('DataList', () => {test('renders the list correctly with data', () => {const data = ['Item 1', 'Item 2'];const { getByText } = render(<DataList data={data} />);const item1 = getByText('Item 1');const item2 = getByText('Item 2');expect(item1).toBeInTheDocument();expect(item2).toBeInTheDocument();});test('displays a loading state while fetching data', () => {// 模拟异步请求数据的过程const fetchData = jest.fn(() => new Promise((resolve) => setTimeout(resolve, 1000)));// 渲染列表组件,并传入模拟的数据获取函数const { getByText } = render(<DataList fetchData={fetchData} />);// 在数据获取前,验证是否显示了加载状态const loadingText = getByText('Loading...');expect(loadingText).toBeInTheDocument();// 模拟数据获取完成return fetchData().then(() => {// 数据获取完成后,验证加载状态是否消失const loadingElement = getByText('Loading...');expect(loadingElement).not.toBeInTheDocument();});});test('displays an error message when data fetching fails', async () => {// 模拟异步请求数据的过程const fetchData = jest.fn(() => Promise.reject(new Error('Data fetching failed')));// 渲染列表组件,并传入模拟的数据获取函数const { getByText } = render(<DataList fetchData={fetchData} />);// 在数据获取前,验证是否没有显示错误消息const errorMessage = getByText('Error: Data fetching failed', { exact: false });expect(errorMessage).not.toBeInTheDocument();// 模拟数据获取失败try {await fetchData();} catch (error) {// 数据获取失败后,验证是否显示了错误消息const errorElement = getByText('Error: Data fetching failed', { exact: false });expect(errorElement).toBeInTheDocument();expect(errorElement).toHaveTextContent('Data fetching failed');}});
});

用jest写tree的单元测试:

import { render, fireEvent } from '@testing-library/react';
import TreeCom from 'xxxx';describe('Tree', () => {it('应该正确显示树节点并具有正确的交互功能', () => {const fetchData = jest.fn(() => new Promise((resolve) => () => resolve([{key: '1',title: '节点1',children: [{key: '1-1',title: '子节点1-1',},{key: '1-2',title: '子节点1-2',},],},{key: '2',title: '节点2',},])));const { getByText } = render(<TreeCom/>);const loadingText = getByText('Loading');expect(loadingText).toBeInTheDocument();await fetchData();const loadingElement = getByText('Loading');expect(loadingElement).not.toBeInTheDocument();      // 获取树节点和子节点const node1 = getByText('节点1');const node1_1 = getByText('子节点1-1');const node1_2 = getByText('子节点1-2');const node2 = getByText('节点2');// 检查树节点是否存在expect(node1).toBeInTheDocument();expect(node1_1).toBeInTheDocument();expect(node1_2).toBeInTheDocument();expect(node2).toBeInTheDocument();// 模拟点击树节点fireEvent.click(node1);// 检查点击树节点后的交互功能是否生效expect(node1_1).toHaveClass('expanded');expect(node1_2).toHaveClass('expanded');// 模拟点击子节点fireEvent.click(node1_1);// 检查点击子节点后的交互功能是否生效expect(node1_1).toHaveClass('selected');expect(node1_2).not.toHaveClass('selected');// 模拟点击另一个节点fireEvent.click(node2);// 检查点击另一个节点后的交互功能是否生效expect(node1_1).not.toHaveClass('selected');expect(node1_2).not.toHaveClass('selected');expect(node2).toHaveClass('selected');});
});

编写测试用例ts:jest实现select请求option,选值之后触发Pie的数据请求,渲染饼状图的测试用例

import { fireEvent, render, screen } from '@testing-library/react';
import React from 'react';
import Pie from './Pie';
import Select from './Select';describe('Pie component', () => {it('should render pie chart after selecting an option', async () => {const data = { /* mock data */ };const fetchData = jest.fn().mockResolvedValue(data);render(<><Select fetchData={fetchData} /><Pie data={data} /></>);const optionValue = 'option1';const select = screen.getByRole('combobox');fireEvent.change(select, { target: { value: optionValue } });expect(fetchData).toHaveBeenCalledWith(optionValue);const pieChartElement = screen.getByTestId('pie-chart');expect(pieChartElement).toBeInTheDocument();});
});

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/721786.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

经验风险最小化(Empirical Risk Minimization, ERM)

经验风险最小化&#xff08;Empirical Risk Minimization, ERM&#xff09;是机器学习中的一个基本原则&#xff0c;它旨在通过最小化训练数据集上的损失来训练模型。这种方法基于这样一个假设&#xff1a;通过最小化模型在训练集上的误差&#xff08;即经验风险&#xff09;&a…

RS编码的FPGA实现

RS编码&#xff0c;即Reed-solomon codes&#xff0c;是一类纠错能力很强的特殊的非二进制BCH码&#xff08;BCH码是一种有限域中的线性分组码&#xff0c;具有纠正多个随机错误的能力&#xff09;。对于任选正整数S可构造一个相应的码长为nqS-1的 q进制BCH码&#xff0c;而q作…

2024-03-05 linux 分区老显示满,Use 100%,原因是SquashFS 是一种只读文件系统,它在创建时就已经被填满,所有空间都被使用。

一、这两天一直纠结一个问题&#xff0c;无论怎么修改&#xff0c;linux 分区老显示满&#xff0c;Use 100%&#xff0c;全部沾满。如下图的oem分区。 二、导致出现上面的原因是&#xff1a;SquashFS文件系统里的空间利用率总是显示为100%。 三、SDK里面也说明SquashFS文件系统…

$nextTick底层原理(详细) - vue篇

公众号&#xff1a;需要以下pdf&#xff0c;关注下方 2023已经过完了&#xff0c;让我们来把今年的面试题统计号&#xff0c;来备战明年的金三银四&#xff01;所以&#xff0c;不管你是社招还是校招&#xff0c;下面这份前端面试工程师高频面试题&#xff0c;请收好。 前言 n…

【力扣白嫖日记】1045.买下所有产品的客户

前言 练习sql语句&#xff0c;所有题目来自于力扣&#xff08;https://leetcode.cn/problemset/database/&#xff09;的免费数据库练习题。 今日题目&#xff1a; 1045.买下所有产品的客户 表&#xff1a;Customer 列名类型customer_idintproduct_keyint 该表可能包含重复…

数据结构 - Trie树(字符串统计、最大异或对)

文章目录 前言Part 1&#xff1a;Trie字符串统计1.题目描述输入格式输出格式数据范围输入样例输出样例 2.算法 Part 2&#xff1a;最大异或对1.题目描述输入格式输出格式数据范围输入样例输出样例 2.算法 前言 本篇博客将介绍Trie树的常见应用&#xff0c;包括&#xff1a;Trie…

运维随录实战(3)

Gitlab架构设计 方案一:SaaS方案 依赖资源: PostgreSQL: 阿里云SAAS服务高可用版2c4g/100GRedis:阿里云SAAS服务高可用版2G代码存储:阿里云NAS盘500GGitLab服务架构: 2*4c8g1*SLB(复用官网SLB)n*GitlabRunner备份方案 PostgreSQL通过阿里云备份功能每天备份一次 代码…

OPC DA协议网关

在工业自动化领域&#xff0c;数据的采集与传输是至关重要的环节。而OPC DA&#xff08;OLE for Process Control Data Access&#xff09;协议作为这一领域内的标准通信协议&#xff0c;为不同设备和软件之间的数据交换提供了统一的接口。今天&#xff0c;我们就来深入了解一下…

Cookie和session 及Web相关工具

一 Cookie &#xff08;一&#xff09;介绍 Cookie 又称为"小甜饼”。类型为"小型文本文件”&#xff0c;指某些网站为了辨别用户身份而储存在用户本地终端&#xff08;Client Side&#xff09;上的数据&#xff08;通常经过加密&#xff09;。由网景公司的前雇员…

Jmeter性能测试 -3数据驱动实战

什么是数据驱动&#xff1f; 从数据文件中读取测试数据&#xff0c;驱动测试过程的一种测试方法。数据驱动可以理解为更高级的参数化。 特点&#xff1a;测试数据与测试代码分离&#xff1b;数据控制过程 好处&#xff1a;降低开发和维护成本&#xff0c;减少代码量&#xf…

springboot之异步任务、邮件任务、定时任务

springboot之异步任务 <?xml version"1.0" encoding"UTF-8"?> <project xmlns"http://maven.apache.org/POM/4.0.0" xmlns:xsi"http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation"http://maven.apache.…

.NET 视图组件(ViewComponent)教程大全

.NET 8 视图组件教程 1. 引言 什么是视图组件为什么使用视图组件 2. 创建视图组件 视图组件的命名规则如何定义 Invoke 或 InvokeAsync 方法如何从 ViewComponent 基类派生如何使用 ViewComponent 属性 3. 使用视图组件 如何在视图中调用视图组件如何传递参数到视图组件 …

MySQL 添加主键可以节省磁盘空间吗?

MySQL 表定义主键不是必须的&#xff0c;并且直到今天&#xff08;MySQL 版本 8.3.0&#xff09;都是这样。不过&#xff0c;在 MGR 和 PXC 架构中不允许使用没有主键的表。如果数据表没有主键&#xff0c;会有许多众所周知的负面性能影响&#xff0c;其中最痛苦的是复制速度很…

ROS 2基础概念#4:消息(Message)| ROS 2学习笔记

ROS 2消息简介 ROS程序使用三种不同的接口来进行沟通&#xff1a;消息&#xff08;message&#xff09;&#xff0c;服务&#xff08;service&#xff09;和动作&#xff08;action&#xff09;。ROS 2使用一种简化的描述语言&#xff1a;IDL&#xff08;interface definition…

Vue.js 深度解析:模板编译原理与过程

&#x1f90d; 前端开发工程师、技术日更博主、已过CET6 &#x1f368; 阿珊和她的猫_CSDN博客专家、23年度博客之星前端领域TOP1 &#x1f560; 牛客高级专题作者、打造专栏《前端面试必备》 、《2024面试高频手撕题》 &#x1f35a; 蓝桥云课签约作者、上架课程《Vue.js 和 E…

代码随想录算法训练营day36|435. 无重叠区间、763.划分字母区间、56. 合并区间

435. 无重叠区间 代码随想录 class Solution:def eraseOverlapIntervals(self, intervals: List[List[int]]) -> int:intervals.sort(keylambda x:x[0])result 0for i in range(1,len(intervals)):if intervals[i][0] < intervals[i-1][1]:result 1intervals[i][1] m…

【Spring底层原理高级进阶】Spring Kafka:实时数据流处理,让业务风起云涌!️

&#x1f389;&#x1f389;欢迎光临&#x1f389;&#x1f389; &#x1f3c5;我是苏泽&#xff0c;一位对技术充满热情的探索者和分享者。&#x1f680;&#x1f680; &#x1f31f;特别推荐给大家我的最新专栏《Spring 狂野之旅&#xff1a;从入门到入魔》 &#x1f680; 本…

【python】堆排序

堆的概念 堆&#xff1a;一种特殊完全二叉树&#xff0c;也就是二叉树必须全部是满的&#xff0c;但是最后一排可以从右向左缺失。 大根堆&#xff1a;每个节点都比他的子节点大 小根堆&#xff1a;每个节点都比子节点小 堆在代码中的形式 堆在代码中实际上就是列表&#…

[Angular 基础] - routing 路由(下)

[Angular 基础] - routing 路由(下) 之前部分 Angular 笔记&#xff1a; [Angular 基础] - 自定义指令&#xff0c;深入学习 directive [Angular 基础] - service 服务 [Angular 基础] - routing 路由(上) 使用 route 书接上回&#xff0c;继续折腾 routing 按照最初的 wi…

【JavaScript】forEach() 会不会改变原数组?

forEach() forEach()方法需要一个函数作为参数。这种函数&#xff0c;是由我们创建但是不由我们调用的&#xff0c;我们称为回调函数。 数组中有几个元素&#xff0c;该回调函数就会执行几次。 回调函数中传递三个参数&#xff1a; 参数1&#xff1a;当前正在遍历的元素 参…