testcontainer

在我们的项目中,单元测试是保证我们代码质量非常重要的一环,但是我们的业务代码不可避免的需要依赖外部的系统或服务如DB,redis,其他外部服务等。如何保证我们的测试代码不受外部依赖的影响,能够稳定的运行成为了一件比较让人头疼的事情。

mock

通过mockito等框架,可以模拟外部依赖各类组件的返回值,通过隔离的方式稳定我们的单元测试。但是这种方式也会带来以下问题:

  1. 测试代码冗长难懂,因为要在测试中模拟各类返回值,一行业务代码往往需要很多测试代码来支撑
  2. 无法真实的执行SQL脚本
  3. 仅仅适用于单元测试,对于端到端的测试无能为力

testcontainer

testcontainer,人如其名,可以在启动测试时,创建我们所依赖的外部容器,在测试结束时自动销毁,通过容器的技术来达成测试环境的隔离。

目前testcontainer仅支持docker,使用testcontainer需要提前安装docker环境

简单的例子

假设我们有一个springboot的web项目,在这个项目中使用postgresql作为数据库
首先我们将testcontainer添加到pom.xml中

<dependencies><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-data-jpa</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency><dependency><groupId>org.postgresql</groupId><artifactId>postgresql</artifactId><scope>runtime</scope></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-test</artifactId><scope>test</scope></dependency><dependency><groupId>org.testcontainers</groupId><artifactId>junit-jupiter</artifactId><scope>test</scope></dependency><dependency><groupId>org.testcontainers</groupId><artifactId>postgresql</artifactId><scope>test</scope></dependency><dependency><groupId>io.rest-assured</groupId><artifactId>rest-assured</artifactId><scope>test</scope></dependency></dependencies>

然后是我们的entity对象和Repository

@Entity
@Table(name = "customers")
public class Customer {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)private Long id;@Column(nullable = false)private String name;@Column(nullable = false, unique = true)private String email;public Customer() {}public Customer(Long id, String name, String email) {this.id = id;this.name = name;this.email = email;}public Long getId() {return id;}public void setId(Long id) {this.id = id;}public String getName() {return name;}public void setName(String name) {this.name = name;}public String getEmail() {return email;}public void setEmail(String email) {this.email = email;}
}
public interface CustomerRepository extends JpaRepository<Customer, Long> {
}

最后是我们的controller

@RestController
public class CustomerController {private final CustomerRepository repo;CustomerController(CustomerRepository repo) {this.repo = repo;}@GetMapping("/api/customers")List<Customer> getAll() {return repo.findAll();}
}

由于是demo,我们通过src/resources/schema.sql来进行表的初始化,在正常项目中应该通过flyway等进行数据库的管理

create table if not exists customers (id bigserial not null,name varchar not null,email varchar not null,primary key (id),UNIQUE (email)
);

并在application.properties中添加如下配置

spring.sql.init.mode=always

最后是重头戏,如果通过testcontainer来完成我们的端到端测试

import static io.restassured.RestAssured.given;
import static org.hamcrest.Matchers.hasSize;import com.example.testcontainer.domain.Customer;
import com.example.testcontainer.repo.CustomerRepository;
import io.restassured.RestAssured;
import io.restassured.http.ContentType;
import java.util.List;
import org.junit.jupiter.api.AfterAll;
import org.junit.jupiter.api.BeforeAll;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.boot.test.web.server.LocalServerPort;
import org.springframework.test.context.DynamicPropertyRegistry;
import org.springframework.test.context.DynamicPropertySource;
import org.testcontainers.containers.PostgreSQLContainer;@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT)
class CustomerControllerTest {@LocalServerPortprivate Integer port;static PostgreSQLContainer<?> postgres = new PostgreSQLContainer<>("postgres:14");@BeforeAllstatic void beforeAll() {postgres.start();}@AfterAllstatic void afterAll() {postgres.stop();}@DynamicPropertySourcestatic void configureProperties(DynamicPropertyRegistry registry) {registry.add("spring.datasource.url", postgres::getJdbcUrl);registry.add("spring.datasource.username", postgres::getUsername);registry.add("spring.datasource.password", postgres::getPassword);}@AutowiredCustomerRepository customerRepository;@BeforeEachvoid setUp() {RestAssured.baseURI = "http://localhost:" + port;customerRepository.deleteAll();}@Testvoid shouldGetAllCustomers() {List<Customer> customers = List.of(new Customer(null, "John", "john@mail.com"),new Customer(null, "Dennis", "dennis@mail.com"));customerRepository.saveAll(customers);given().contentType(ContentType.JSON).when().get("/api/customers").then().statusCode(200).body(".", hasSize(2));}
}

static PostgreSQLContainer<?> postgres = new PostgreSQLContainer<>(
“postgres:14”
);`

这里创建了一个postgres的容器,然后通过 @DynamicPropertySourcespring.datasource的各项参数赋值,剩下的就由Spring的auto-configure完成各类bean的自动装配,JPA的装配和注入。

除了通过 @DynamicPropertySource外,spring-boot-testcontainers提供了一些方法可以更加简化这个流程
首先添加依赖

		<dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-testcontainers</artifactId><scope>test</scope></dependency>
@Testcontainers
@SpringBootTest
public class MyIntegrationServiceConnectionTests {@Container@ServiceConnectionstatic PostgreSQLContainer<?> postgres = new PostgreSQLContainer<>("postgres:14");@AutowiredCustomerRepository customerRepository;@Testvoid shouldGetAllCustomers() {List<Customer> customers = List.of(new Customer(null, "John", "john@mail.com"),new Customer(null, "Dennis", "dennis@mail.com"));customerRepository.saveAll(customers);assertTrue(customerRepository.findByName("John").isPresent());assertEquals(2,customerRepository.findAll().size());}
}

@Testcontainers注解会帮助我们在测试开始前启动容器,在测试结束后停止容器,因此我们可以省略@BeforeAll和@AfterAll

@ServiceConnection取代了 @DynamicPropertySource中代码的功能,帮助我们完成bean的创建

除此之外,我们也可以通过@bean的方式来创建容器

@Testcontainers
@SpringBootTest
public class MyIntegrationBeanConfiguratonTests {@AutowiredCustomerRepository customerRepository;@Testvoid shouldGetAllCustomers() {List<Customer> customers = List.of(new Customer(null, "John", "john@mail.com"),new Customer(null, "Dennis", "dennis@mail.com"));customerRepository.saveAll(customers);assertTrue(customerRepository.findByName("John").isPresent());assertEquals(2,customerRepository.findAll().size());}@TestConfiguration(proxyBeanMethods = false)public  static class MyPostgreConfiguration {@Bean@ServiceConnectionpublic PostgreSQLContainer<?> postgreSQLContainer() {return new PostgreSQLContainer<>("postgres:14");}}
}

连接web服务

PostgreSQLContainer是一个专门用于连接PostgreSQL的类,除此之外testcontainer还提供了redis、mysql、es、kafka等常用中间件的容器类。如果我们想要去连接一个内部的web服务,那该怎么做?

首先,我们要确保该服务已经容器化,可以直接通过docker来启动,其次,testcontainer提供了一个公共的GenericContainer来处理这类场景,

假设我们有一个服务镜像demo/demo:latest,该服务暴露了一个8080端口,我们通过feignclient来访问

@FeignClient(name = "customFeign",url = "${remote.custom.url}")
public interface ExternalCustomClient {@GetMapping("custom/{id}")public CustomInfo getCustom(@PathVariable("id") String id);
}
@Testcontainers
@SpringBootTest
public class ExternalCustomClientTest {@Containerstatic GenericContainer<?> container = new GenericContainer<>("demo/demo:latest").withExposedPorts(8080);@DynamicPropertySourcestatic void configureProperties(DynamicPropertyRegistry registry) {Integer firstMappedPort = container.getMappedPort(8080);String ipAddress = container.getHost();System.out.println(ipAddress);System.out.println(firstMappedPort);registry.add("remote.custom.url",() -> "http://"+ipAddress+":"+firstMappedPort);}@AutowiredExternalCustomClient customClient;@Testvoid shouldGetAllCustomers() {String id ="111";CustomInfo customInfo=customClient.getCustom(id);Assertions.assertEquals(id, customInfo.getCustomNo());}}

由于使用了GenericContainer,Springboot不知道该如何去连接容器,因此不能使用@ServiceConnection注解,还是回到@DynamicPropertySource的方式。

@Container
static GenericContainer<?> container = new GenericContainer<>(
“zhangxiaotian/caizi:latest”
).withExposedPorts(8080);

在容器内部监听了一个8080端口,这个需要和外部服务的端口一致,对容器外部暴露的端口,我们可以通过

Integer firstMappedPort = container.getMappedPort(8080);
String ipAddress = container.getHost();

来获取完整的ip和端口

完整的代码示例可以通过以下仓库获取
https://gitee.com/xiiiao/testcontainer-demo

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

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

相关文章

c++------类和对象(下)包含了this指针、构造函数、析构函数、拷贝构造等

文章目录 前言一、this指针1.1、this指针的引出1.2、 this指针的特性 二、类的默认的六个构造函数2.1、构造函数简述2.2构造函数 三、析构函数3.1、析构函数引出3.2、特点&#xff1a; 四、拷贝构造4.1、引入4.2、特征&#xff1a;4.3、默认拷贝构造函数 总结 前言 在本节中&a…

中国的历史看中国的经济发展

从中国的历史看中国的经济发展&#xff0c;可以发现其经历了几个显著的阶段&#xff0c;每个阶段都有其独特的特点和成就&#xff1a; 古代经济&#xff1a;中国古代经济以农业为主&#xff0c;实行井田制&#xff0c;重视水利工程的建设&#xff0c;如都江堰、灵渠等。 商业发…

Compose Multiplatform 1.6.10 发布,解释一些小问题, Jake 大佬的 Hack

虽然一直比较关注跨平台开发&#xff0c;但其实我很少写 Compose Multiplatform 的内容&#xff0c;因为关于 Compose Multiplatform 的使用&#xff0c;其实我并没在实际生产环境上发布过&#xff0c;但是这个版本确实值得一提&#xff0c;因为该版本包含&#xff1a; iOS Bet…

数据库(15)——DQL分页查询

DQL分页查询语法 SELECT 字段列表 FROM 表名 LIMIT 起始索引&#xff0c;查询记录数; 注&#xff1a;起始索引从0开始&#xff0c;起始索引&#xff08;查询页码-1&#xff09;*每页显示记录数。 如果查询的是第一页&#xff0c;可以省略起始索引。 示例&#xff1a;查询第一页…

【考研数学】概率论如何复习?跟谁好?

概率论一定要跟对老师&#xff0c;如果跟对老师&#xff0c;考研基本上能拿满分 概率论在考研试卷中占比并不大&#xff0c;其中&#xff1a; 高等数学&#xff0c;90分&#xff0c;约占比60%; 线性代数&#xff0c;30分&#xff0c;约占比20%; 概率论与数理统计&#xff0…

hive中的join操作及其数据倾斜

hive中的join操作及其数据倾斜 join操作是一个大数据领域一个常见的话题。归根结底是由于在数据量超大的情况下&#xff0c;join操作会使内存占用飙升。运算的复杂度也随之上升。在进行join操作时&#xff0c;也会更容易发生数据倾斜。这些都是需要考虑的问题。 过去了解到很…

每日5题Day15 - LeetCode 71 - 75

每一步向前都是向自己的梦想更近一步&#xff0c;坚持不懈&#xff0c;勇往直前&#xff01; 第一题&#xff1a;71. 简化路径 - 力扣&#xff08;LeetCode&#xff09; class Solution {public String simplifyPath(String path) {Deque<String> stack new LinkedList…

mysql的增删查改(进阶)

目录 一. 更复杂的新增 二. 查询 2.1 聚合查询 COUNT SUM AVG MAX MIN 2.1.2 分组查询 group by 子句 2.1.3 HAVING 2.2 联合查询/多表查询 2.2.1 内连接 2.2.2 外连接 2.2.3 全外连接 2.2.4 自连接 2.2.5 子查询 2.2.6 合并查询 一. 更复杂的新增 将从表名查询到…

自动化办公01 smtplib 邮件⾃动发送

目录 一、准备需要发送邮件的邮箱账号 二、发送邮箱的基本步骤 1. 登录邮箱 2. 准备数据 3. 发送邮件 三、特殊内容的发送 1. 发送附件 2. 发送图片 3. 发送超文本内容 4.邮件模板内容 SMTP&#xff08;Simple Mail Transfer Protocol&#xff09;即简单邮件传输协议…

霍夫曼树教程(个人总结版)

背景 霍夫曼树&#xff08;Huffman Tree&#xff09;是一种在1952年由戴维霍夫曼&#xff08;David A. Huffman&#xff09;提出的数据压缩算法。其主要目的是为了一种高效的数据编码方法&#xff0c;以便在最小化总编码长度的情况下对数据进行编码。霍夫曼树通过利用出现频率…

【Qt秘籍】[009]-自定义槽函数/信号

自定义槽函数 在Qt中自定义槽函数是一个直接的过程&#xff0c;槽函数本质上是类的一个成员函数&#xff0c;它可以响应信号。所谓的自定义槽函数&#xff0c;实际上操作过程和定义普通的成员函数相似。以下是如何在Qt中定义一个自定义槽函数的步骤&#xff1a; 步骤 1: 定义槽…

<jsp:setProperty>设置有参构造函数创建的自定义对象的属性

假设某一个类&#xff08;如TextConverter类&#xff09;有一个无参构造函数和一个有参构造函数&#xff0c;我们可以在Servlet里面先用有参构造函数自己new一个对象出来&#xff0c;存到request.setAttribute里面去。 Servlet转发到jsp页面后&#xff0c;再在jsp页面上用<j…

django基于大数据+Spring的新冠肺炎疫情实时监控系统设计和实现

设计一个基于Django(后端)和Spring(可能的中间件或服务集成)的新冠肺炎疫情实时监控系统涉及多个方面,包括数据收集、数据处理、数据存储、前端展示以及可能的中间件服务(如Spring Boot服务)。以下是一个大致的设计和实现步骤: 1. 系统架构 前端:使用Web框架(如Reac…

三种字符串的管理方式

NSString的三种实现方式 OC这个语言在不停的升级自己的内存管理&#xff0c;尽量的让自己的 OC的字符串 问题引入 在学习字符串的过程中间会遇到一个因为OC语言更新造成的问题 例如&#xff1a; int main(int argc, const char * argv[]) {autoreleasepool {NSString* str1 …

C++核心编程类的总结封装案例

C类的总结封装案例 文章目录 C类的总结封装案例1.立方体类的封装2.点与圆的关系的封装3.总结 1.立方体类的封装 在C中&#xff0c;我们可以定义一个立方体&#xff08;Cube&#xff09;类来封装立方体的属性和方法。立方体的属性可能包括边长&#xff08;side length&#xff…

【redis】set和zset常用命令

set 无序集合类型 sadd 和 smembers SADD&#xff1a;将一个或者多个元素添加到set中。注意,重复的元素无法添加到set中。 语法&#xff1a;SADD key member [member] 把集合中的元素,叫做member,就像hash类型中,叫做field类似. 返回值表示本次操作,添加成功了几个元素. 时间复…

网络原理——http/https ---http(1)

T04BF &#x1f44b;专栏: 算法|JAVA|MySQL|C语言 &#x1faf5; 今天你敲代码了吗 网络原理 HTTP/HTTPS HTTP,全称为"超文本传输协议" HTTP 诞⽣与1991年. ⽬前已经发展为最主流使⽤的⼀种应⽤层协议. 实际上,HTTP最新已经发展到 3.0 但是当前行业中主要使用的HT…

概念解析 | 为什么SAR中的天线间隔需要是四分之一波长?

注1:本文系“概念解析”系列之一,致力于简洁清晰地解释、辨析复杂而专业的概念。本次辨析的概念是:为什么SAR中的天线间隔需要是四分之一波长 概念解析 | 为什么SAR中的天线间隔需要是四分之一波长? 在这篇文章中,我们将深入探讨**合成孔径雷达(SAR)**系统中,为什么天…

明日周刊-第12期

以前小时候最期待六一儿童节了&#xff0c;父母总会给你满足一个愿望&#xff0c;也许是一件礼物也许是一次陪伴。然而这个世界上其实还有很多儿童过不上儿童节&#xff0c;比如某些地区的小孩子&#xff0c;他们更担心的是能不能见到明天的太阳。 文章目录 一周热点航天探索火…

LeetCode-77. 组合【回溯】

LeetCode-77. 组合【回溯】 题目描述&#xff1a;解题思路一&#xff1a;回溯背诵版解题思路三&#xff1a;0 题目描述&#xff1a; 给定两个整数 n 和 k&#xff0c;返回范围 [1, n] 中所有可能的 k 个数的组合。 你可以按 任何顺序 返回答案。 示例 1&#xff1a; 输入&a…