Spring Boot - 用JUnit 5构建完美的Spring Boot测试套件

在这里插入图片描述


Pre

SpringBoot - 单元测试利器Mockito入门

SpringBoot - 应用程序测试方案

SpringBoot - @SpringBootTest加速单元测试的小窍门

Spring Boot - Junit4 / Junit5 / Spring Boot / IDEA 关系梳理



package org.junit.jupiter.api;import static org.apiguardian.api.API.Status.STABLE;import java.lang.annotation.Documented;
import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;import org.apiguardian.api.API;
import org.junit.platform.commons.annotation.Testable;/*** {@code @Test} is used to signal that the annotated method is a* <em>test</em> method.** <p>{@code @Test} methods must not be {@code private} or {@code static}* and must not return a value.** <p>{@code @Test} methods may optionally declare parameters to be* resolved by {@link org.junit.jupiter.api.extension.ParameterResolver* ParameterResolvers}.** <p>{@code @Test} may also be used as a meta-annotation in order to create* a custom <em>composed annotation</em> that inherits the semantics of* {@code @Test}.** <h2>Test Execution Order</h2>** <p>By default, test methods will be ordered using an algorithm that is* deterministic but intentionally nonobvious. This ensures that subsequent runs* of a test suite execute test methods in the same order, thereby allowing for* repeatable builds. In this context, a <em>test method</em> is any instance* method that is directly annotated or meta-annotated with {@code @Test},* {@code @RepeatedTest}, {@code @ParameterizedTest}, {@code @TestFactory}, or* {@code @TestTemplate}.** <p>Although true <em>unit tests</em> typically should not rely on the order* in which they are executed, there are times when it is necessary to enforce* a specific test method execution order &mdash; for example, when writing* <em>integration tests</em> or <em>functional tests</em> where the sequence of* the tests is important, especially in conjunction with* {@link TestInstance @TestInstance(Lifecycle.PER_CLASS)}.** <p>To control the order in which test methods are executed, annotate your* test class or test interface with {@link TestMethodOrder @TestMethodOrder}* and specify the desired {@link MethodOrderer} implementation.** @since 5.0* @see RepeatedTest* @see org.junit.jupiter.params.ParameterizedTest* @see TestTemplate* @see TestFactory* @see TestInfo* @see DisplayName* @see Tag* @see BeforeAll* @see AfterAll* @see BeforeEach* @see AfterEach*/
@Target({ ElementType.ANNOTATION_TYPE, ElementType.METHOD })
@Retention(RetentionPolicy.RUNTIME)
@Documented
@API(status = STABLE, since = "5.0")
@Testable
public @interface Test {
}

JUnit 4 vs JUnit 5

以下是JUnit 4和JUnit 5注解之间的一些主要区别

功能/特性JUnit 4注解JUnit 5注解
测试方法声明@Test@Test
测试类声明@RunWith@ExtendWith
断言org.junit.Assertorg.junit.jupiter.api.Assertions
测试生命周期@BeforeAll, @BeforeEach, @AfterEach, @AfterAll
参数化测试@Parameterized@ParameterizedTest
条件测试@EnabledOnOs, @DisabledOnOs, @EnabledOnJre, @DisabledOnJre, 等等
标记重复测试@RepeatedTest
依赖性测试@Test中使用@TestDependsOn@TestDependency
测试实例生命周期@TestInstance
测试接口和默认方法不支持支持
扩展模型自定义Runner自定义Extension

这些是JUnit 4和JUnit 5之间的一些重要区别,JUnit 5引入了许多新的功能和改进,以提供更灵活、强大的测试框架。你可以根据项目的需要选择适合的JUnit版本。


Junit5 常用注解

  • @SpringBootTest: 用于指定测试类启用Spring Boot Test,默认会提供Mock环境。
  • @ExtendWith: 如果只想启用Spring环境进行简单测试,不想启用Spring Boot环境,可以配置扩展为:SpringExtension
  • @Test: 指定方法为测试方法。
  • @TestMethodOrder: 用于配置测试类中方法的执行顺序策略,配置为OrderAnnotation时,按@Order顺序执行。
  • @Order: 用于配置方法的执行顺序,数字越低执行顺序越高。
  • @DisplayName: 用于指定测试类和测试方法的别名。
  • @BeforeAll: 在测试类的所有测试方法前执行一次,可用于全局初始化。
  • @AfterAll: 在测试类的所有测试方法后执行一次,可用于全局销毁资源。
  • @BeforeEach: 在测试类的每个测试方法前都执行一次。
  • @AfterEach: 在测试类的每个测试方法后都执行一次。
  • @Disabled: 禁用测试方法。
  • @RepeatedTest: 指定测试方法重复执行。
  • @ParameterizedTest: 指定参数化测试方法,类似重复执行,从@ValueSource中获取参数。
  • @ValueSource: 用于参数化测试指定参数。
  • @AutoConfigureMockMvc: 启用MockMvc的自动配置,可用于测试接口。

栗子

以下是上述注解的使用方法示例以及相应的Java代码:

  1. @SpringBootTest:用于指定Spring Boot测试。示例:
@SpringBootTest
public class MySpringBootTest {// 测试方法
}
  1. @ExtendWith:用于配置测试类的执行环境。示例:
@ExtendWith(SpringExtension.class)
public class MySpringTest {// 测试方法
}
  1. @Test:指定方法为测试方法。示例:
@Test
public void testSomeMethod() {// 测试逻辑
}
  1. @TestMethodOrder@Order:配置测试方法的执行顺序。示例:
@TestMethodOrder(MethodOrderer.OrderAnnotation.class)
public class OrderedTestExample {@Order(1)@Testpublic void testMethod1() {// 测试逻辑}@Order(2)@Testpublic void testMethod2() {// 测试逻辑}
}
  1. @DisplayName:用于指定测试类和测试方法的别名。示例:
@DisplayName("My Test Suite")
public class MyTestSuite {@Test@DisplayName("My Test Case")public void myTestCase() {// 测试逻辑}
}
  1. @BeforeAll@AfterAll:在测试类的所有测试方法前和后执行一次,可用于全局初始化和销毁资源。示例:
@BeforeAll
public static void setup() {// 初始化操作
}@AfterAll
public static void teardown() {// 资源销毁操作
}
  1. @BeforeEach@AfterEach:在测试类的每个测试方法前和后都执行一次。示例:
@BeforeEach
public void beforeEachTest() {// 执行前的准备工作
}@AfterEach
public void afterEachTest() {// 执行后的清理工作
}
  1. @Disabled:禁用测试方法。示例:
@Test
@Disabled("This test is not ready yet.")
public void disabledTest() {// 未完成的测试逻辑
}
  1. @RepeatedTest:指定测试方法重复执行。示例:
@RepeatedTest(5)
public void repeatedTest() {// 该测试方法会重复执行5次
}
  1. @ParameterizedTest@ValueSource:用于参数化测试。示例:
@ParameterizedTest
@ValueSource(strings = { "apple", "banana", "cherry" })
public void testFruit(String fruit) {// 使用参数化的水果名称进行测试
}
  1. @AutoConfigureMockMvc:启用MockMvc的自动配置,可用于测试接口。示例:
@SpringBootTest
@AutoConfigureMockMvc
public class MyControllerIntegrationTest {@Autowiredprivate MockMvc mockMvc;@Testpublic void testController() throws Exception {mockMvc.perform(get("/api/someendpoint")).andExpect(status().isOk()).andExpect(content().contentType(MediaType.APPLICATION_JSON));}
}

这些示例演示了如何使用这些注解来编写JUnit 5和Spring Boot测试。您可以根据您的具体需求和测试场景进行相应的配置和使用。


package com.artisan.boottest.example;import org.junit.jupiter.api.Assertions;
import org.junit.jupiter.api.Test;
import org.springframework.boot.test.context.SpringBootTest;@SpringBootTest
public class BasicTest {@Testpublic void test() {String artisan = "artisan good";Assertions.assertEquals("artisan good", artisan);}
}
package com.artisan.boottest.example;import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.*;
import org.junit.jupiter.api.extension.ExtendWith;
import org.springframework.test.context.junit.jupiter.SpringExtension;/*** @author 小工匠* @version 1.0* @description: JUnit指定方法测试顺序 * @mark: show me the code , change the world*/
@Slf4j
@ExtendWith(SpringExtension.class)
@TestMethodOrder(MethodOrderer.OrderAnnotation.class)
public class MethodOrderTest {@Test@Order(1)@DisplayName("order为1的方法")void lowOrder(){log.info("lowOrder method");}@Test@Order(2)@DisplayName("order为2的方法")void highOrder(){log.info("highOrder method");}
}
package com.artisan.boottest.example;import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.*;
import org.junit.jupiter.api.extension.ExtendWith;
import org.springframework.test.context.junit.jupiter.SpringExtension;/*** @author 小工匠* @version 1.0* @description: JUnit生命周期测试* @mark: show me the code , change the world*/
@Slf4j
@ExtendWith(SpringExtension.class)
public class LifecycleTest {@BeforeAllstatic void allInit() {log.info("allInit():在所有方法前执行,只执行一次");}@BeforeEachvoid eachInit() {log.info("eachInit():在测试方法前执行,每个测试方法前都执行");}@Testvoid successTest() {log.info("successTest():方法执行成功");}@AfterEachvoid eachDown() {log.info("eachDown():在测试方法后执行,每个测试方法后都执行");}@AfterAllstatic void allDown() {log.info("allDown():在测试方法后执行,每个测试方法后都执行");}}
package com.artisan.boottest.example;import cn.hutool.core.thread.ThreadUtil;
import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.Assertions;
import org.junit.jupiter.api.Test;
import org.junit.jupiter.api.extension.ExtendWith;
import org.springframework.test.context.junit.jupiter.SpringExtension;import java.time.Duration;/*** @author 小工匠* @version 1.0* @description: JUnit断言测试* @mark: show me the code , change the world*/
@Slf4j
@ExtendWith(SpringExtension.class)
public class AssertTest {// 可以使用fail方法直接断言方法执行失败并输出提示信息。@Testvoid failTest() {Assertions.fail("failTest():方法执行失败");}//  还可以通过assertTrue、assertNull、assertEquals这类方法来断言结果是否符合预期。@Testvoid trueTest(){Assertions.assertTrue(666==666);}@Testvoid trueFalse(){Assertions.assertFalse(8888<=9999);}@Testvoid nullTest(){String str = null;Assertions.assertNull(str);}@Testvoid notNullTest(){String str = "test";Assertions.assertNotNull(str);}@Testvoid equalsTest(){String str1 = "test";String str2 = "test";Assertions.assertEquals(str1,str2);}@Testvoid notEqualsTest(){String str1 = "test";String str2 = "test";Assertions.assertNotEquals(str1,str2);}// 也可以使用assertThrows方法来断言方法中抛出的异常。@Testvoid throwsTest(){Assertions.assertThrows(NullPointerException.class,()->{String str = null;log.info(str.toLowerCase());});}//  还可通过assertTimeout方法断言方法的执行时间。@Testvoid timeoutTest(){Assertions.assertTimeout(Duration.ofMillis(1000),()->{long sleepTime = 2000;ThreadUtil.sleep(sleepTime);log.info("timeoutTest():休眠{}毫秒",sleepTime);});}// 或者通过assertAll方法将几个断言结合起来使用,Assertions类中提供的工具方法很多,具体可以参考它的代码。@Testvoid assertAllTest(){Assertions.assertAll(()->{trueTest();},()->{nullTest();},()->{equalsTest();});}}
package com.artisan.boottest.example;import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.RepeatedTest;
import org.junit.jupiter.api.Test;
import org.junit.jupiter.api.extension.ExtendWith;
import org.junit.jupiter.params.ParameterizedTest;
import org.junit.jupiter.params.provider.ValueSource;
import org.springframework.test.context.junit.jupiter.SpringExtension;/*** @author 小工匠* @version 1.0* @description: 其他常用的注释* @mark: show me the code , change the world*/
@Slf4j
@ExtendWith(SpringExtension.class)
public class OthreTest {// Spring Boot Test除了上述测试功能,还可以使用@Disabled来禁用某个测试方法@Test@Disabled("用于测试@Disabled注解")void disabledTest() {log.info("disabledTest():方法被执行");}// 也可以使用@RepeatedTest来实现循环测试private static int count = 0;@RepeatedTest(5)void repeatedTest() {count++;log.info("repeatedTest():重复执行第{}次",count);}// 还可以通过@ParameterizedTest来进行参数化测试@ParameterizedTest@ValueSource(ints = {1,2,3})public void parameterizedTest(int a){log.info("parameterizedTest():a={}",a);}}

【三层测试】

package com.artisan.boottest.project;import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.Assertions;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.jdbc.Sql;/*** @author 小工匠* @version 1.0* @description: Dao层方法测试* @mark: show me the code , change the world*/
@Slf4j
@SpringBootTest
public class MapperTest {@Autowiredprivate PmsBrandMapper brandMapper;@Testvoid testGetById(){long id = 6;PmsBrand pmsBrand = brandMapper.selectByPrimaryKey(id);LOGGER.info("brand name:{}",pmsBrand.getName());Assertions.assertEquals("小米",pmsBrand.getName());}
}
package com.artisan.boottest.project;import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.Assertions;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;/*** @author 小工匠* @version 1.0* @description: Service层方法测试* @mark: show me the code , change the world*/
@Slf4j
@SpringBootTest
public class ServiceTest {@Autowiredprivate PmsBrandService brandService;@Testvoid testGetById(){long id = 6;PmsBrand pmsBrand = brandService.getBrand(id);log.info("brand name:{}",pmsBrand.getName());Assertions.assertEquals("小米",pmsBrand.getName());}
}
package com.artisan.boottest.project;import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.servlet.AutoConfigureMockMvc;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.web.servlet.MockMvc;
import org.springframework.test.web.servlet.request.MockMvcRequestBuilders;
import org.springframework.test.web.servlet.result.MockMvcResultHandlers;
import org.springframework.test.web.servlet.result.MockMvcResultMatchers;/*** @author 小工匠* @version 1.0* @description: 对于Controller层方法进行测试,有时我们需要模拟请求,使用MockMvc即可* @mark: show me the code , change the world*/
@SpringBootTest
@AutoConfigureMockMvc
public class ControllerTest {@Autowiredprivate MockMvc mockMvc;@Testvoid mvcTest() throws Exception {//模拟发送一个请求访问分页查询品牌列表的接口mockMvc.perform(MockMvcRequestBuilders.get("/brand/list") //设置请求地址.param("pageNum", "1") //设置请求参数.param("pageSize", "5")).andExpect(MockMvcResultMatchers.status().isOk()) //断言返回状态码为200.andDo(MockMvcResultHandlers.print()) //在控制台打印日志.andReturn(); //返回请求结果}
}

在这里插入图片描述

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

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

相关文章

Excel VBA 变量,数据类型常量

几乎所有计算机程序中都使用变量&#xff0c;VBA 也不例外。 在过程开始时声明变量是一个好习惯。 这不是必需的&#xff0c;但有助于识别内容的性质&#xff08;文本&#xff0c;​​数据&#xff0c;数字等&#xff09; 在本教程中&#xff0c;您将学习- 一、VBA变量 变量是…

webpack:详解CopyWebpackPlugin,复制的同时修改文件内容

摘要 CopyWebpackPlugin 是一个强大的 Webpack 插件&#xff0c;用于将文件从源目录复制到构建目录。在本文中&#xff0c;我们将探讨 CopyWebpackPlugin 的一些常用 API&#xff0c;并提供示例代码。 在构建 Web 应用程序时&#xff0c;通常需要将一些静态文件&#xff08;如…

数据治理-定义数据治理运营框架

开发数据治理的基本定义很容易&#xff0c;但是创建一个组织采用的运营框架可能很困难。在构建组织的运营框架时需要考虑以下几个方面&#xff1a; 数据对组织的价值。如果一个组织出售数据&#xff0c;显然数据治理具有巨大的业务影响力。将数据作为最有价值事物的组织将需要…

Unity中程序集dll

一&#xff1a;前言 一个程序集由一个或多个文件组成&#xff0c;通常为扩展名.exe和.dll的文件称为程序集&#xff0c;.exe是静态的程序集&#xff0c;可以在.net下直接运行加载&#xff0c;因为exe中有一个main函数(入口函数&#xff09;&#xff0c;.dll是动态链接库&#…

腾讯mini项目-【指标监控服务重构】2023-08-04

今日已办 关于 span-references 的调研 https://github.com/DataDog/dd-trace-js/issues/1761 https://github.com/open-telemetry/opentelemetry-specification/blob/874a451e7f6ac7fc54423ee3f03e5394197be35b/specification/compatibility/opentracing.md#span-references h…

基于springboot的OA人事办公管理系统

经典 oasys(OA自动化办公系统) 办公自动化&#xff08;OA&#xff09;是面向组织的日常运作和管理,员工及管理者使用频率最高的应用系统&#xff0c;极大提高公司的办公效率。 项目介绍 oasys是一个OA办公自动化系统&#xff0c;使用Maven进行项目管理。基于springboot框架开…

为什么要使用设计模式,以及使用设计模式的好处

在软件开发中&#xff0c;衡量软件质量只要包含如下指标&#xff1a; 正确性可维护性可读性可扩展性简洁性可测试性健壮性灵活性可复用性 然而&#xff0c;对于一些刚入行的新程序员来说&#xff0c;往往会注意不到上面这些问题&#xff0c;从而产生了一些让人头皮发麻的烂代…

【css】深入理解flex属性

参考文章&#xff1a; 深入理解Flex属性 flex弹性布局教程-05-项目属性flex-shrink flex&#xff1a;flex-grow flex-shrink flex-basis flex&#xff1a;0 1 0 如何计算flex布局&#xff0c;有flex-shrink和flex-grow的情况下&#xff0c;每个元素的大小 flex-grow生效公式如…

mongodb 安装

yum 安装 阿里镜像库 , 注意不要用阿里自带的系统 , 要用centos镜像 # 创建一个 .repo 文件 vi /etc/yum.repos.d/mongodb-org.repo# 添加内容[mongodb-org] name MongoDB Repository baseurl https://mirrors.aliyun.com/mongodb/yum/redhat/$releasever/mongodb-org/4.4/…

谷粒商城----rabbitmq

一、 为什么要用 MQ? 三大好处&#xff0c;削峰&#xff0c;解耦&#xff0c;异步。 削峰 比如秒杀&#xff0c;或者高铁抢票&#xff0c;请求在某些时间点实在是太多了&#xff0c;服务器处理不过来&#xff0c;可以把请求放到 MQ 里面缓冲一下&#xff0c;把一秒内收到的…

Unity中Shader抓取屏幕并实现扭曲效果

文章目录 前言一、屏幕抓取&#xff0c;在上一篇文章已经写了二、实现抓取后的屏幕扭曲实现思路&#xff1a;1、屏幕扭曲要借助传入 UV 贴图进行扭曲2、传入贴图后在顶点着色器的输入参数处&#xff0c;传入一个 float2 uv : TEXCOORD&#xff0c;用于之后对扭曲贴图进行采样3、…

写一篇nginx配置指南

nginx.conf配置 找到Nginx的安装目录下的nginx.conf文件&#xff0c;该文件负责Nginx的基础功能配置。 配置文件概述 Nginx的主配置文件(conf/nginx.conf)按以下结构组织&#xff1a; 配置块功能描述全局块与Nginx运行相关的全局设置events块与网络连接有关的设置http块代理…

计算机网络(二):TCP篇

文章目录 1. TCP头部包含哪些内容&#xff1f;2. 为什么需要 TCP 协议&#xff1f; TCP 工作在哪一层&#xff1f;3. 什么是 TCP &#xff1f;4. 什么是 TCP 连接&#xff1f;5. 如何唯一确定一个 TCP 连接呢&#xff1f;6. UDP头部大小是多少&#xff1f;包含哪些内容&#xf…

burp+IE 微信小程序抓包教程

文章目录 一、BURP里新增监听端口二、BURP导出证书三、导入证书四、IE代理设置五、小程序抓包实际测试 一、BURP里新增监听端口 找一个没用的端口&#xff0c;使用以下方式新增 二、BURP导出证书 选择刚才新增的监听端口&#xff0c;点击证书导入导出 将其存出来即可&…

安卓机型系统美化 Color.xml文件必备常识 自定义颜色资源

color.xml文件是Android工程中用来进行颜色资源管理的文件.可以在color.xml文件中通过<color>标签来定义颜色资源.我们在布局文件中、代码中、style定义中或者其他资源文件中&#xff0c;都可以引用之前在color.xml文件中定义的颜色资源。 将color.xml文件拷到res/value…

c++的库函数std::move() 与 完美转发函数 std:: forward 源码

以下是两个注释&#xff1a; &#xff08;2&#xff09;以下是一个实验&#xff1a;

在HTML里,attribute和property有什么区别?

在HTML中&#xff0c;attribute 和 property 之间的区别是一个常见但容易混淆的概念。它们都与HTML元素有关&#xff0c;但它们在功能、用途和行为上有所不同。以下是它们之间的主要区别&#xff1a; 定义和来源: Attribute: 它们是在HTML标记中定义的&#xff0c;通常用于提供…

esxi网卡直通后虚拟机无网

出现选网卡的时候无法选中&#xff0c;这里应该是一个bug。 解决方法如下&#xff1a; 1.先随便选择一个网卡 2.勾先取消再重新勾选 3.保存退出&#xff0c;重启虚拟机即可

浅谈一下前端字符编码

背景 众所周知&#xff0c;计算机只能识别二进制&#xff0c;它是由逻辑电路组成&#xff0c;逻辑电路通常只有两个状态&#xff0c;开关的接通与断开&#xff0c;这两种状态正好可以用二进制数的0和1表示。但是现实中存在着其他的字符&#xff1a;数字、字母、中文、特殊符号…