此版本仍在开发中,尚未被视为稳定版本。对于最新的稳定版本,请使用 Spring Boot 3.4.0! |
测试 Spring Boot 应用程序
Spring Boot 应用程序是 Spring ApplicationContext
,因此除了通常使用普通 Spring 上下文所做的操作之外,无需执行任何特别操作来测试它。
默认情况下,仅当使用 SpringApplication 创建 Spring Boot 的外部属性、日志记录和其他功能时,才会将其安装在上下文中。 |
Spring Boot 提供了一个 @SpringBootTest
Comments,当你需要 Spring Boot 功能时,它可以用作标准 @ContextConfiguration
Comments 的替代方法。
Comments 的工作原理是通过 SpringApplication
创建测试中使用的ApplicationContext
。
除了 @SpringBootTest
之外,还提供了许多其他 Comments,用于测试应用程序的更具体的切片。spring-test
如果您使用的是 JUnit 4,请不要忘记也添加到您的测试中,否则注释将被忽略。
如果您使用的是 JUnit 5,则无需添加等效的 @SpringBootTest ,其他注释已经使用它进行了注释。@RunWith(SpringRunner.class) @ExtendWith(SpringExtension.class) @…Test |
默认情况下,@SpringBootTest
不会启动服务器。
您可以使用 @SpringBootTest
的属性来进一步优化测试的运行方式:webEnvironment
-
MOCK
(默认):加载 WebApplicationContext
并提供模拟 Web 环境。 使用此注释时,嵌入式服务器不会启动。 如果 Web 环境在 Classpath 上不可用,则此模式透明地回退到创建常规的非 WebApplicationContext
。 它可以与@AutoConfigureMockMvc
或@AutoConfigureWebTestClient
结合使用,以便对 Web 应用程序进行基于模拟的测试。 -
RANDOM_PORT
:加载WebServerApplicationContext
并提供真实的 Web 环境。 嵌入式服务器启动并侦听随机端口。 -
DEFINED_PORT
:加载WebServerApplicationContext
并提供真实的 Web 环境。 嵌入式服务器启动并侦听定义的端口(来自 )或默认端口 。application.properties
8080
-
NONE
:使用SpringApplication
加载ApplicationContext
,但不提供任何 Web 环境(模拟或其他环境)。
如果您的测试是 @Transactional ,则默认情况下它会在每个测试方法结束时回滚事务。
但是,由于将这种安排与 OR 一起使用会隐式提供真实的 servlet 环境,因此 HTTP 客户端和服务器在单独的线程中运行,因此在单独的事务中运行。
在这种情况下,在服务器上启动的任何事务都不会回滚。RANDOM_PORT DEFINED_PORT |
如果您的应用程序对管理服务器使用不同的端口,则 @SpringBootTest 也将在单独的随机端口上启动 Management Server。webEnvironment = WebEnvironment.RANDOM_PORT |
检测 Web 应用程序类型
如果 Spring MVC 可用,则配置基于常规 MVC 的应用程序上下文。 如果您只有 Spring WebFlux,我们将检测到该情况并配置基于 WebFlux 的应用程序上下文。
如果两者都存在,则 Spring MVC 优先。
如果要在此场景中测试反应式 Web 应用程序,则必须设置以下属性:spring.main.web-application-type
-
Java
-
Kotlin
import org.springframework.boot.test.context.SpringBootTest;
@SpringBootTest(properties = "spring.main.web-application-type=reactive")
class MyWebFluxTests {
// ...
}
import org.springframework.boot.test.context.SpringBootTest
@SpringBootTest(properties = ["spring.main.web-application-type=reactive"])
class MyWebFluxTests {
// ...
}
检测测试配置
如果您熟悉 Spring Test Framework,则可能习惯于使用它来指定要加载的 Spring @Configuration
。
或者,您可能经常在测试中使用嵌套@Configuration
类。@ContextConfiguration(classes=…)
在测试 Spring Boot 应用程序时,这通常不是必需的。
Spring Boot 的 Comments 会在您未明确定义主配置时自动搜索主配置。@*Test
搜索算法从包含测试的包开始工作,直到找到带有 @SpringBootApplication
或 @SpringBootConfiguration
注释的类。
只要你以合理的方式构建你的代码,你的主要配置通常会被找到。
如果使用 test annotation 来测试应用程序的更具体部分,则应避免在 main 方法的 application 类上添加特定于特定区域的配置设置。
|
如果要自定义主配置,可以使用嵌套的 @TestConfiguration
类。
与嵌套 @Configuration
类不同,嵌套 类将代替应用程序的 Primary 配置,而 Nested @TestConfiguration
类除了应用程序的 Primary 配置之外,还会使用嵌套类。
Spring 的测试框架在测试之间缓存应用程序上下文。 因此,只要您的测试共享相同的配置(无论它是如何发现的),加载上下文的潜在耗时过程只会发生一次。 |
使用 Test Configuration Main 方法
通常,@SpringBootTest
发现的测试配置将是您的主要@SpringBootApplication
。
在大多数结构良好的应用程序中,此 configuration 类还将包括用于启动应用程序的方法。main
例如,以下是典型 Spring Boot 应用程序的非常常见的 Code Pattern:
-
Java
-
Kotlin
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class MyApplication {
public static void main(String[] args) {
SpringApplication.run(MyApplication.class, args);
}
}
import org.springframework.boot.autoconfigure.SpringBootApplication
import org.springframework.boot.docs.using.structuringyourcode.locatingthemainclass.MyApplication
import org.springframework.boot.runApplication
@SpringBootApplication
class MyApplication
fun main(args: Array<String>) {
runApplication<MyApplication>(*args)
}
在上面的示例中,该方法除了委托给 SpringApplication.run(Class, String...)
之外不执行任何其他操作。
但是,可以使用更复杂的方法在调用 SpringApplication.run(Class, String...)
之前应用自定义。main
main
例如,下面是一个更改横幅模式并设置其他配置文件的应用程序:
-
Java
-
Kotlin
import org.springframework.boot.Banner;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class MyApplication {
public static void main(String[] args) {
SpringApplication application = new SpringApplication(MyApplication.class);
application.setBannerMode(Banner.Mode.OFF);
application.setAdditionalProfiles("myprofile");
application.run(args);
}
}
import org.springframework.boot.Banner
import org.springframework.boot.runApplication
import org.springframework.boot.autoconfigure.SpringBootApplication
@SpringBootApplication
class MyApplication
fun main(args: Array<String>) {
runApplication<MyApplication>(*args) {
setBannerMode(Banner.Mode.OFF)
setAdditionalProfiles("myprofile")
}
}
由于该方法中的自定义可能会影响生成的ApplicationContext
,因此您可能还希望使用该方法来创建测试中使用的ApplicationContext
。
默认情况下,@SpringBootTest
不会调用您的方法,而是直接使用类本身来创建ApplicationContext
main
main
main
如果要更改此行为,可以将@SpringBootTest
的属性更改为SpringBootTest.UseMainMethod.ALWAYS
或SpringBootTest.UseMainMethod.WHEN_AVAILABLE
。
设置为 时,如果找不到方法,则测试将失败。
设置为 时,如果可用,则使用方法,否则将使用标准加载机制。useMainMethod
ALWAYS
main
WHEN_AVAILABLE
main
例如,下面的测试将调用 of 的方法来创建 ApplicationContext
。
如果 main 方法设置了其他配置文件,那么当 ApplicationContext
启动时,这些配置文件将处于活动状态。main
MyApplication
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.boot.test.context.SpringBootTest.UseMainMethod;
@SpringBootTest(useMainMethod = UseMainMethod.ALWAYS)
class MyApplicationTests {
@Test
void exampleTest() {
// ...
}
}
import org.junit.jupiter.api.Test
import org.springframework.boot.test.context.SpringBootTest
import org.springframework.boot.test.context.SpringBootTest.UseMainMethod
@SpringBootTest(useMainMethod = UseMainMethod.ALWAYS)
class MyApplicationTests {
@Test
fun exampleTest() {
// ...
}
}
排除测试配置
如果您的应用程序使用组件扫描(例如,如果您使用 @SpringBootApplication
或 @ComponentScan
),您可能会发现仅为特定测试创建的顶级配置类会意外地随处可见。
正如我们之前看到的,@TestConfiguration
可以用于测试的内部类来自定义主要配置。@TestConfiguration
也可以用于顶级类。这样做表示不应通过扫描来选取该类。
然后,您可以在需要的地方显式导入该类,如以下示例所示:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.context.annotation.Import;
@SpringBootTest
@Import(MyTestsConfiguration.class)
class MyTests {
@Test
void exampleTest() {
// ...
}
}
import org.junit.jupiter.api.Test
import org.springframework.boot.test.context.SpringBootTest
import org.springframework.context.annotation.Import
@SpringBootTest
@Import(MyTestsConfiguration::class)
class MyTests {
@Test
fun exampleTest() {
// ...
}
}
如果直接使用 @ComponentScan (即不通过 @SpringBootApplication ) ,则需要向其注册 TypeExcludeFilter 。
有关详细信息,请参阅 TypeExcludeFilter API 文档。 |
导入的 @TestConfiguration 的处理时间早于内部类@TestConfiguration ,并且导入的 @TestConfiguration 将在通过组件扫描找到任何配置之前进行处理。
一般来说,这种 Sequences 的差异没有明显的影响,但是如果你依赖于 bean 覆盖,则需要注意这一点。 |
使用应用程序参数
如果您的应用程序需要参数,则可以
@SpringBootTest
使用 attribute.args
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.ApplicationArguments;
import org.springframework.boot.test.context.SpringBootTest;
import static org.assertj.core.api.Assertions.assertThat;
@SpringBootTest(args = "--app.test=one")
class MyApplicationArgumentTests {
@Test
void applicationArgumentsPopulated(@Autowired ApplicationArguments args) {
assertThat(args.getOptionNames()).containsOnly("app.test");
assertThat(args.getOptionValues("app.test")).containsOnly("one");
}
}
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.ApplicationArguments
import org.springframework.boot.test.context.SpringBootTest
@SpringBootTest(args = ["--app.test=one"])
class MyApplicationArgumentTests {
@Test
fun applicationArgumentsPopulated(@Autowired args: ApplicationArguments) {
assertThat(args.optionNames).containsOnly("app.test")
assertThat(args.getOptionValues("app.test")).containsOnly("one")
}
}
使用 Mock 环境进行测试
默认情况下,@SpringBootTest
不会启动服务器,而是设置用于测试 Web 端点的模拟环境。
借助 Spring MVC,我们可以使用 MockMvc
或 WebTestClient
查询我们的 Web 端点,如以下示例所示:
-
Java
-
Kotlin
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.reactive.server.WebTestClient;
import org.springframework.test.web.servlet.MockMvc;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.get;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;
@SpringBootTest
@AutoConfigureMockMvc
class MyMockMvcTests {
@Test
void testWithMockMvc(@Autowired MockMvc mvc) throws Exception {
mvc.perform(get("/")).andExpect(status().isOk()).andExpect(content().string("Hello World"));
}
// If Spring WebFlux is on the classpath, you can drive MVC tests with a WebTestClient
@Test
void testWithWebTestClient(@Autowired WebTestClient webClient) {
webClient
.get().uri("/")
.exchange()
.expectStatus().isOk()
.expectBody(String.class).isEqualTo("Hello World");
}
}
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.reactive.server.WebTestClient
import org.springframework.test.web.reactive.server.expectBody
import org.springframework.test.web.servlet.MockMvc
import org.springframework.test.web.servlet.request.MockMvcRequestBuilders
import org.springframework.test.web.servlet.result.MockMvcResultMatchers
@SpringBootTest
@AutoConfigureMockMvc
class MyMockMvcTests {
@Test
fun testWithMockMvc(@Autowired mvc: MockMvc) {
mvc.perform(MockMvcRequestBuilders.get("/")).andExpect(MockMvcResultMatchers.status().isOk)
.andExpect(MockMvcResultMatchers.content().string("Hello World"))
}
// If Spring WebFlux is on the classpath, you can drive MVC tests with a WebTestClient
@Test
fun testWithWebTestClient(@Autowired webClient: WebTestClient) {
webClient
.get().uri("/")
.exchange()
.expectStatus().isOk
.expectBody<String>().isEqualTo("Hello World")
}
}
如果您只想关注 Web 层而不启动完整的 ApplicationContext ,请考虑改用 @WebMvcTest 。 |
使用 Spring WebFlux 端点,你可以使用WebTestClient
,如以下示例所示:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.reactive.AutoConfigureWebTestClient;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.web.reactive.server.WebTestClient;
@SpringBootTest
@AutoConfigureWebTestClient
class MyMockWebTestClientTests {
@Test
void exampleTest(@Autowired WebTestClient webClient) {
webClient
.get().uri("/")
.exchange()
.expectStatus().isOk()
.expectBody(String.class).isEqualTo("Hello World");
}
}
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.web.reactive.AutoConfigureWebTestClient
import org.springframework.boot.test.context.SpringBootTest
import org.springframework.test.web.reactive.server.WebTestClient
import org.springframework.test.web.reactive.server.expectBody
@SpringBootTest
@AutoConfigureWebTestClient
class MyMockWebTestClientTests {
@Test
fun exampleTest(@Autowired webClient: WebTestClient) {
webClient
.get().uri("/")
.exchange()
.expectStatus().isOk
.expectBody<String>().isEqualTo("Hello World")
}
}
在模拟环境中进行测试通常比使用完整的 servlet 容器运行更快。 但是,由于模拟发生在 Spring MVC 层,因此无法直接使用 MockMvc 测试依赖于较低级别 servlet 容器行为的代码。 例如, Spring Boot 的错误处理基于 servlet 容器提供的“错误页面”支持。 这意味着,虽然您可以测试 MVC 层是否按预期引发和处理异常,但不能直接测试是否呈现了特定的自定义错误页面。 如果需要测试这些较低级别的问题,可以按照下一节所述启动完全运行的服务器。 |
使用正在运行的服务器进行测试
如果您需要启动一个完全运行的服务器,我们建议您使用随机端口。
如果使用 ,则每次运行测试时都会随机选择一个可用端口。@SpringBootTest(webEnvironment=WebEnvironment.RANDOM_PORT)
@LocalServerPort
注解可用于将实际使用的端口注入到测试中。
为方便起见,需要对已启动的服务器进行 REST 调用的测试还可以自动连接 WebTestClient
,该客户端解析到正在运行的服务器的相对链接,并附带一个用于验证响应的专用 API,如以下示例所示:
-
Java
-
Kotlin
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.context.SpringBootTest.WebEnvironment;
import org.springframework.test.web.reactive.server.WebTestClient;
@SpringBootTest(webEnvironment = WebEnvironment.RANDOM_PORT)
class MyRandomPortWebTestClientTests {
@Test
void exampleTest(@Autowired WebTestClient webClient) {
webClient
.get().uri("/")
.exchange()
.expectStatus().isOk()
.expectBody(String.class).isEqualTo("Hello World");
}
}
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.context.SpringBootTest.WebEnvironment
import org.springframework.test.web.reactive.server.WebTestClient
import org.springframework.test.web.reactive.server.expectBody
@SpringBootTest(webEnvironment = WebEnvironment.RANDOM_PORT)
class MyRandomPortWebTestClientTests {
@Test
fun exampleTest(@Autowired webClient: WebTestClient) {
webClient
.get().uri("/")
.exchange()
.expectStatus().isOk
.expectBody<String>().isEqualTo("Hello World")
}
}
WebTestClient 还可以与模拟环境一起使用,通过使用 @AutoConfigureWebTestClient 注释您的测试类,无需运行服务器。 |
此设置需要在 classpath 上。
如果你不能或不打算添加 webflux,Spring Boot 还提供了一个TestRestTemplate
工具:spring-webflux
-
Java
-
Kotlin
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.context.SpringBootTest.WebEnvironment;
import org.springframework.boot.test.web.client.TestRestTemplate;
import static org.assertj.core.api.Assertions.assertThat;
@SpringBootTest(webEnvironment = WebEnvironment.RANDOM_PORT)
class MyRandomPortTestRestTemplateTests {
@Test
void exampleTest(@Autowired TestRestTemplate restTemplate) {
String body = restTemplate.getForObject("/", String.class);
assertThat(body).isEqualTo("Hello World");
}
}
import org.assertj.core.api.Assertions.assertThat
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.context.SpringBootTest.WebEnvironment
import org.springframework.boot.test.web.client.TestRestTemplate
@SpringBootTest(webEnvironment = WebEnvironment.RANDOM_PORT)
class MyRandomPortTestRestTemplateTests {
@Test
fun exampleTest(@Autowired restTemplate: TestRestTemplate) {
val body = restTemplate.getForObject("/", String::class.java)
assertThat(body).isEqualTo("Hello World")
}
}
自定义 WebTestClient
要自定义 WebTestClient
Bean,请配置WebTestClientBuilderCustomizer
Bean。
任何此类 bean 都是使用用于创建WebTestClient
的WebTestClient.Builder
调用的。
使用 JMX
由于测试上下文框架会缓存上下文,因此默认情况下会禁用 JMX,以防止相同的组件在同一域上注册。
如果这样的测试需要访问 MBeanServer
,也可以考虑将其标记为 dirty:
-
Java
-
Kotlin
import javax.management.MBeanServer;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.annotation.DirtiesContext;
import static org.assertj.core.api.Assertions.assertThat;
@SpringBootTest(properties = "spring.jmx.enabled=true")
@DirtiesContext
class MyJmxTests {
@Autowired
private MBeanServer mBeanServer;
@Test
void exampleTest() {
assertThat(this.mBeanServer.getDomains()).contains("java.lang");
// ...
}
}
import javax.management.MBeanServer
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.context.SpringBootTest
import org.springframework.test.annotation.DirtiesContext
@SpringBootTest(properties = ["spring.jmx.enabled=true"])
@DirtiesContext
class MyJmxTests(@Autowired val mBeanServer: MBeanServer) {
@Test
fun exampleTest() {
assertThat(mBeanServer.domains).contains("java.lang")
// ...
}
}
使用观测
如果您使用 @AutoConfigureObservability
注释切片测试,它会自动配置 ObservationRegistry
。
使用度量
无论您的 Classpath 如何,在使用 @SpringBootTest
时,都不会自动配置计量注册表(内存中支持的除外)。
如果您需要在集成测试中将指标导出到其他后端,请使用 @AutoConfigureObservability
对其进行注释。
如果您使用 @AutoConfigureObservability
注释切片测试,它会自动配置内存中的 MeterRegistry
。
@AutoConfigureObservability
注释不支持在切片测试中导出数据。
使用跟踪
无论您的 Classpath 如何,在使用 @SpringBootTest
时,都不会自动配置报告数据的跟踪组件。
如果您需要这些组件作为集成测试的一部分,请使用 @AutoConfigureObservability
注释测试。
如果您已创建自己的报表组件(例如自定义 SpanExporter
或 ),并且不希望它们在测试中处于活动状态,则可以使用 @ConditionalOnEnabledTracing
注释来禁用它们。brave.handler.SpanHandler
如果您使用 @AutoConfigureObservability
注释切片测试,它会自动配置 no-op Tracer
。
@AutoConfigureObservability
注释不支持在切片测试中导出数据。
嘲笑和监视 Bean
运行测试时,有时需要模拟应用程序上下文中的某些组件。 例如,您可能在某些远程服务上有一个在开发过程中不可用的门面。 当您想要模拟在真实环境中可能难以触发的故障时,模拟也很有用。
Spring Boot 包括一个 @MockBean
Comments,可用于在ApplicationContext
中为 bean 定义 Mockito mock。
您可以使用注释添加新的 bean 或替换单个现有的 bean 定义。
该注释可以直接用于测试类、测试中的字段或@Configuration
类和字段。
当用于字段时,创建的 mock 的实例也会被注入。
Mock bean 在每个测试方法之后都会自动重置。
如果您的测试使用 Spring Boot 的测试注释之一(例如
|
以下示例将现有 bean 替换为 mock 实现:RemoteService
-
Java
-
Kotlin
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.mock.mockito.MockBean;
import static org.assertj.core.api.Assertions.assertThat;
import static org.mockito.BDDMockito.given;
@SpringBootTest
class MyTests {
@Autowired
private Reverser reverser;
@MockBean
private RemoteService remoteService;
@Test
void exampleTest() {
given(this.remoteService.getValue()).willReturn("spring");
String reverse = this.reverser.getReverseValue(); // Calls injected RemoteService
assertThat(reverse).isEqualTo("gnirps");
}
}
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.mockito.BDDMockito.given
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.context.SpringBootTest
import org.springframework.boot.test.mock.mockito.MockBean
@SpringBootTest
class MyTests(@Autowired val reverser: Reverser, @MockBean val remoteService: RemoteService) {
@Test
fun exampleTest() {
given(remoteService.value).willReturn("spring")
val reverse = reverser.reverseValue // Calls injected RemoteService
assertThat(reverse).isEqualTo("gnirps")
}
}
@MockBean 不能用于模拟在应用程序上下文刷新期间执行的 bean 的行为。
执行测试时,应用程序上下文刷新已完成,配置模拟行为为时已晚。
在这种情况下,我们建议使用 @Bean 方法来创建和配置 mock。 |
如果使用 @SpyBean 来监视具有按名称引用参数的 @Cacheable 方法的 bean,则必须使用 .
这可确保在监视 Bean 后,参数名称可用于缓存基础结构。-parameters |
当您使用 @SpyBean 监视由 Spring 代理的 bean 时,在某些情况下可能需要删除 Spring 的代理,例如,在使用或设置期望时。
用于执行此操作。given when AopTestUtils.getTargetObject(yourProxiedSpy) |
自动配置的测试
Spring Boot 的自动配置系统适用于应用程序,但有时对于测试来说可能有点太多了。 通常,仅加载测试应用程序的 “slice” 所需的配置部分会有所帮助。 例如,你可能想要测试 Spring MVC 控制器是否正确映射 URL,并且你不想在这些测试中涉及数据库调用,或者你可能想要测试 JPA 实体,并且你对这些测试运行时的 Web 层不感兴趣。
该模块包含许多可用于自动配置此类 “切片” 的 Comments。
它们中的每一个都以类似的方式工作,提供一个加载ApplicationContext
的 Comments 以及一个或多个可用于自定义自动配置设置的 Comments。spring-boot-test-autoconfigure
@…Test
@AutoConfigure…
每个 slice 将组件扫描限制为适当的组件,并加载一组非常受限的 auto-configuration classes。
如果需要排除其中一个,大多数 Comments 都会提供一个属性。
或者,您也可以使用 .@…Test excludeAutoConfiguration @ImportAutoConfiguration#exclude |
不支持在一个测试中使用多个 Comments 来包含多个 “slice”。
如果您需要多个 “切片”,请选择其中一个注释并手动包含其他 “切片” 的注释。@…Test @…Test @AutoConfigure… |
也可以将注释与标准 @SpringBootTest 注释一起使用。
如果您对 “切片” 应用程序不感兴趣,但想要一些自动配置的测试 bean,则可以使用此组合。@AutoConfigure… |
自动配置的 JSON 测试
-
Jackson
ObjectMapper
、任何@JsonComponent
bean 和任何 Jackson模块
-
Gson
-
Jsonb
如果需要配置自动配置的元素,可以使用 @AutoConfigureJsonTesters
注释。
Spring Boot 包括基于 AssertJ 的帮助程序,这些帮助程序与 JSONAssert 和 JsonPath 库一起使用,以检查 JSON 是否按预期显示。
JacksonTester
、GsonTester
、JsonbTester
和 BasicJsonTester
类可以分别用于 Jackson、Gson、Jsonb 和 Strings。
使用 @JsonTest
时,可以@Autowired
测试类上的任何帮助程序字段。
以下示例显示了 Jackson 的 test 类:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.json.JsonTest;
import org.springframework.boot.test.json.JacksonTester;
import static org.assertj.core.api.Assertions.assertThat;
@JsonTest
class MyJsonTests {
@Autowired
private JacksonTester<VehicleDetails> json;
@Test
void serialize() throws Exception {
VehicleDetails details = new VehicleDetails("Honda", "Civic");
// Assert against a `.json` file in the same package as the test
assertThat(this.json.write(details)).isEqualToJson("expected.json");
// Or use JSON path based assertions
assertThat(this.json.write(details)).hasJsonPathStringValue("@.make");
assertThat(this.json.write(details)).extractingJsonPathStringValue("@.make").isEqualTo("Honda");
}
@Test
void deserialize() throws Exception {
String content = "{\"make\":\"Ford\",\"model\":\"Focus\"}";
assertThat(this.json.parse(content)).isEqualTo(new VehicleDetails("Ford", "Focus"));
assertThat(this.json.parseObject(content).getMake()).isEqualTo("Ford");
}
}
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.json.JsonTest
import org.springframework.boot.test.json.JacksonTester
@JsonTest
class MyJsonTests(@Autowired val json: JacksonTester<VehicleDetails>) {
@Test
fun serialize() {
val details = VehicleDetails("Honda", "Civic")
// Assert against a `.json` file in the same package as the test
assertThat(json.write(details)).isEqualToJson("expected.json")
// Or use JSON path based assertions
assertThat(json.write(details)).hasJsonPathStringValue("@.make")
assertThat(json.write(details)).extractingJsonPathStringValue("@.make").isEqualTo("Honda")
}
@Test
fun deserialize() {
val content = "{\"make\":\"Ford\",\"model\":\"Focus\"}"
assertThat(json.parse(content)).isEqualTo(VehicleDetails("Ford", "Focus"))
assertThat(json.parseObject(content).make).isEqualTo("Ford")
}
}
JSON 帮助程序类也可以直接在标准单元测试中使用。
为此,如果不使用 @JsonTest ,请在 @BeforeEach 方法中调用 helper 的方法。initFields |
如果使用 Spring Boot 基于 AssertJ 的帮助程序在给定 JSON 路径上的数字值上断言,则可能无法使用,具体取决于类型。
相反,您可以使用 AssertJ 来断言该值与给定条件匹配。
例如,以下示例断言实际数字是接近偏移量 的 float 值。isEqualTo
satisfies
0.15
0.01
-
Java
-
Kotlin
@Test
void someTest() throws Exception {
SomeObject value = new SomeObject(0.152f);
assertThat(this.json.write(value)).extractingJsonPathNumberValue("@.test.numberValue")
.satisfies((number) -> assertThat(number.floatValue()).isCloseTo(0.15f, within(0.01f)));
}
@Test
fun someTest() {
val value = SomeObject(0.152f)
assertThat(json.write(value)).extractingJsonPathNumberValue("@.test.numberValue")
.satisfies(ThrowingConsumer { number ->
assertThat(number.toFloat()).isCloseTo(0.15f, within(0.01f))
})
}
自动配置的 Spring MVC 测试
要测试 Spring MVC 控制器是否按预期工作,请使用 @WebMvcTest
注释。@WebMvcTest
自动配置 Spring MVC 基础结构,并将扫描的 bean 限制为 @Controller
、@ControllerAdvice
、@JsonComponent
、Converter
、GenericConverter
、Filter
、HandlerInterceptor
、WebMvcConfigurer
、WebMvcRegistrations
和HandlerMethodArgumentResolver 的 MethodArgumentResolver
中。
使用 @WebMvcTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
附录中提供了 @WebMvcTest 启用的自动配置设置的列表。 |
通常,@WebMvcTest
仅限于单个控制器,并与 @MockBean
结合使用,为所需的协作者提供模拟实现。
@WebMvcTest
还自动配置 MockMvc
。
Mock MVC 提供了一种强大的方法来快速测试 MVC 控制器,而无需启动完整的 HTTP 服务器。
你也可以通过用 MockMvc 注解 @AutoConfigureMockMvc 来在非 MockMvc (例如 @SpringBootTest 中)自动配置 MockMvc 。
以下示例使用 MockMvc :@WebMvcTest |
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.servlet.WebMvcTest;
import org.springframework.boot.test.mock.mockito.MockBean;
import org.springframework.http.MediaType;
import org.springframework.test.web.servlet.MockMvc;
import static org.mockito.BDDMockito.given;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.get;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;
@WebMvcTest(UserVehicleController.class)
class MyControllerTests {
@Autowired
private MockMvc mvc;
@MockBean
private UserVehicleService userVehicleService;
@Test
void testExample() throws Exception {
given(this.userVehicleService.getVehicleDetails("sboot"))
.willReturn(new VehicleDetails("Honda", "Civic"));
this.mvc.perform(get("/sboot/vehicle").accept(MediaType.TEXT_PLAIN))
.andExpect(status().isOk())
.andExpect(content().string("Honda Civic"));
}
}
import org.junit.jupiter.api.Test
import org.mockito.BDDMockito.given
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.web.servlet.WebMvcTest
import org.springframework.boot.test.mock.mockito.MockBean
import org.springframework.http.MediaType
import org.springframework.test.web.servlet.MockMvc
import org.springframework.test.web.servlet.request.MockMvcRequestBuilders
import org.springframework.test.web.servlet.result.MockMvcResultMatchers
@WebMvcTest(UserVehicleController::class)
class MyControllerTests(@Autowired val mvc: MockMvc) {
@MockBean
lateinit var userVehicleService: UserVehicleService
@Test
fun testExample() {
given(userVehicleService.getVehicleDetails("sboot"))
.willReturn(VehicleDetails("Honda", "Civic"))
mvc.perform(MockMvcRequestBuilders.get("/sboot/vehicle").accept(MediaType.TEXT_PLAIN))
.andExpect(MockMvcResultMatchers.status().isOk)
.andExpect(MockMvcResultMatchers.content().string("Honda Civic"))
}
}
如果需要配置自动配置的元素(例如,何时应应用 servlet 过滤器),则可以使用 @AutoConfigureMockMvc 注释中的属性。 |
如果使用 HtmlUnit 和 Selenium,则自动配置还会提供 HtmlUnit WebClient
Bean 和/或 Selenium WebDriver
Bean。
下面的示例使用 HtmlUnit:
-
Java
-
Kotlin
import com.gargoylesoftware.htmlunit.WebClient;
import com.gargoylesoftware.htmlunit.html.HtmlPage;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.servlet.WebMvcTest;
import org.springframework.boot.test.mock.mockito.MockBean;
import static org.assertj.core.api.Assertions.assertThat;
import static org.mockito.BDDMockito.given;
@WebMvcTest(UserVehicleController.class)
class MyHtmlUnitTests {
@Autowired
private WebClient webClient;
@MockBean
private UserVehicleService userVehicleService;
@Test
void testExample() throws Exception {
given(this.userVehicleService.getVehicleDetails("sboot")).willReturn(new VehicleDetails("Honda", "Civic"));
HtmlPage page = this.webClient.getPage("/sboot/vehicle.html");
assertThat(page.getBody().getTextContent()).isEqualTo("Honda Civic");
}
}
import com.gargoylesoftware.htmlunit.WebClient
import com.gargoylesoftware.htmlunit.html.HtmlPage
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.mockito.BDDMockito.given
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.web.servlet.WebMvcTest
import org.springframework.boot.test.mock.mockito.MockBean
@WebMvcTest(UserVehicleController::class)
class MyHtmlUnitTests(@Autowired val webClient: WebClient) {
@MockBean
lateinit var userVehicleService: UserVehicleService
@Test
fun testExample() {
given(userVehicleService.getVehicleDetails("sboot")).willReturn(VehicleDetails("Honda", "Civic"))
val page = webClient.getPage<HtmlPage>("/sboot/vehicle.html")
assertThat(page.body.textContent).isEqualTo("Honda Civic")
}
}
默认情况下, Spring Boot 将 WebDriver bean 置于一个特殊的“范围”中,以确保驱动程序在每次测试后退出并注入新实例。
如果您不希望此行为,可以添加到 WebDriver @Bean 定义中。@Scope(ConfigurableBeanFactory.SCOPE_SINGLETON) |
Spring Boot 创建的范围将替换任何用户定义的同名范围。
如果你定义自己的范围,你可能会发现它在使用 @WebMvcTest 时停止工作。webDriver webDriver |
如果你在 Classpath 上有 Spring Security,@WebMvcTest
还将扫描WebSecurityConfigurer
bean。
您可以使用 Spring Security 的测试支持,而不是完全禁用此类测试的安全性。
有关如何使用 Spring Security 的 MockMvc
支持的更多详细信息,可以在此使用 Spring Security 进行测试“操作指南”部分找到。
有时编写 Spring MVC 测试是不够的;Spring Boot 可以帮助您使用实际服务器运行完整的端到端测试。 |
自动配置的 Spring WebFlux 测试
要测试 Spring WebFlux 控制器是否按预期工作,你可以使用 @WebFluxTest
注释。@WebFluxTest
自动配置 Spring WebFlux 基础结构,并将扫描的 bean 限制为 @Controller
、@ControllerAdvice
、@JsonComponent
、Converter
、GenericConverter
和WebFluxConfigurer
。
使用 @WebFluxTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
附录中提供了 @WebFluxTest 启用的自动配置列表。 |
通常,@WebFluxTest
仅限于单个控制器,并与 @MockBean
注解结合使用,为所需的协作者提供模拟实现。
@WebFluxTest
还自动配置了 WebTestClient
,它提供了一种强大的方法来快速测试 WebFlux 控制器,而无需启动完整的 HTTP 服务器。
您还可以通过在非 (例如 @SpringBootTest ) 中自动配置 WebTestClient ,方法是使用 @AutoConfigureWebTestClient 进行注释。
下面的示例展示了一个同时使用 @WebFluxTest 和 WebTestClient 的类:@WebFluxTest |
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.reactive.WebFluxTest;
import org.springframework.boot.test.mock.mockito.MockBean;
import org.springframework.http.MediaType;
import org.springframework.test.web.reactive.server.WebTestClient;
import static org.mockito.BDDMockito.given;
@WebFluxTest(UserVehicleController.class)
class MyControllerTests {
@Autowired
private WebTestClient webClient;
@MockBean
private UserVehicleService userVehicleService;
@Test
void testExample() {
given(this.userVehicleService.getVehicleDetails("sboot"))
.willReturn(new VehicleDetails("Honda", "Civic"));
this.webClient.get().uri("/sboot/vehicle").accept(MediaType.TEXT_PLAIN).exchange()
.expectStatus().isOk()
.expectBody(String.class).isEqualTo("Honda Civic");
}
}
import org.junit.jupiter.api.Test
import org.mockito.BDDMockito.given
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.web.reactive.WebFluxTest
import org.springframework.boot.test.mock.mockito.MockBean
import org.springframework.http.MediaType
import org.springframework.test.web.reactive.server.WebTestClient
import org.springframework.test.web.reactive.server.expectBody
@WebFluxTest(UserVehicleController::class)
class MyControllerTests(@Autowired val webClient: WebTestClient) {
@MockBean
lateinit var userVehicleService: UserVehicleService
@Test
fun testExample() {
given(userVehicleService.getVehicleDetails("sboot"))
.willReturn(VehicleDetails("Honda", "Civic"))
webClient.get().uri("/sboot/vehicle").accept(MediaType.TEXT_PLAIN).exchange()
.expectStatus().isOk
.expectBody<String>().isEqualTo("Honda Civic")
}
}
此设置仅受 WebFlux 应用程序支持,因为在模拟的 Web 应用程序中使用 WebTestClient 目前仅适用于 WebFlux。 |
@WebFluxTest 无法检测通过 Functional Web 框架注册的路由。
要在上下文中测试 RouterFunction bean,请考虑使用 @Import 或使用 @SpringBootTest 自己导入 RouterFunction 。 |
@WebFluxTest 无法检测注册为 SecurityWebFilterChain 类型的@Bean 的自定义安全配置。
要将其包含在测试中,您需要使用 @Import 或 @SpringBootTest 导入注册 bean 的配置。 |
有时编写 Spring WebFlux 测试是不够的;Spring Boot 可以帮助您使用实际服务器运行完整的端到端测试。 |
自动配置的 Spring GraphQL 测试
Spring GraphQL 提供了一个专用的测试支持模块;您需要将其添加到您的项目中:
<dependencies>
<dependency>
<groupId>org.springframework.graphql</groupId>
<artifactId>spring-graphql-test</artifactId>
<scope>test</scope>
</dependency>
<!-- Unless already present in the compile scope -->
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-webflux</artifactId>
<scope>test</scope>
</dependency>
</dependencies>
dependencies {
testImplementation("org.springframework.graphql:spring-graphql-test")
// Unless already present in the implementation configuration
testImplementation("org.springframework.boot:spring-boot-starter-webflux")
}
此测试模块附带 GraphQlTester。
测试器在测试中被大量使用,因此请务必熟悉它的使用。
有 GraphQlTester
变体,Spring Boot 将根据测试类型自动配置它们:
-
ExecutionGraphQlServiceTester
在服务器端执行测试,没有客户端或传输 -
HttpGraphQlTester
使用连接到服务器的客户端执行测试,无论是否有实时服务器
Spring Boot 可帮助您使用 @GraphQlTest
注释测试 Spring GraphQL 控制器。@GraphQlTest
自动配置 Spring GraphQL 基础设施,不涉及任何传输或服务器。
这将扫描的 bean 限制为 @Controller
、RuntimeWiringConfigurer
、JsonComponent
、Converter
、GenericConverter
、DataFetcherExceptionResolver
、Instrumentation
和 GraphQlSourceBuilderCustomizer
。
使用 @GraphQlTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
附录中提供了 @GraphQlTest 启用的自动配置列表。 |
通常,@GraphQlTest
仅限于一组控制器,并与 @MockBean
注解结合使用,为所需的协作者提供模拟实现。
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.docs.web.graphql.runtimewiring.GreetingController;
import org.springframework.boot.test.autoconfigure.graphql.GraphQlTest;
import org.springframework.graphql.test.tester.GraphQlTester;
@GraphQlTest(GreetingController.class)
class GreetingControllerTests {
@Autowired
private GraphQlTester graphQlTester;
@Test
void shouldGreetWithSpecificName() {
this.graphQlTester.document("{ greeting(name: \"Alice\") } ")
.execute()
.path("greeting")
.entity(String.class)
.isEqualTo("Hello, Alice!");
}
@Test
void shouldGreetWithDefaultName() {
this.graphQlTester.document("{ greeting } ")
.execute()
.path("greeting")
.entity(String.class)
.isEqualTo("Hello, Spring!");
}
}
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.docs.web.graphql.runtimewiring.GreetingController
import org.springframework.boot.test.autoconfigure.graphql.GraphQlTest
import org.springframework.graphql.test.tester.GraphQlTester
@GraphQlTest(GreetingController::class)
internal class GreetingControllerTests {
@Autowired
lateinit var graphQlTester: GraphQlTester
@Test
fun shouldGreetWithSpecificName() {
graphQlTester.document("{ greeting(name: \"Alice\") } ").execute().path("greeting").entity(String::class.java)
.isEqualTo("Hello, Alice!")
}
@Test
fun shouldGreetWithDefaultName() {
graphQlTester.document("{ greeting } ").execute().path("greeting").entity(String::class.java)
.isEqualTo("Hello, Spring!")
}
}
@SpringBootTest
测试是完整的集成测试,涉及整个应用程序。
当使用随机或定义的端口时,将配置一个实时服务器,并自动提供一个 HttpGraphQlTester
bean,以便您可以使用它来测试您的服务器。
配置 MOCK 环境后,您还可以通过使用 @AutoConfigureHttpGraphQlTester
注释测试类来请求 HttpGraphQlTester
bean:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.graphql.tester.AutoConfigureHttpGraphQlTester;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.graphql.test.tester.HttpGraphQlTester;
@AutoConfigureHttpGraphQlTester
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.MOCK)
class GraphQlIntegrationTests {
@Test
void shouldGreetWithSpecificName(@Autowired HttpGraphQlTester graphQlTester) {
HttpGraphQlTester authenticatedTester = graphQlTester.mutate()
.webTestClient((client) -> client.defaultHeaders((headers) -> headers.setBasicAuth("admin", "ilovespring")))
.build();
authenticatedTester.document("{ greeting(name: \"Alice\") } ")
.execute()
.path("greeting")
.entity(String.class)
.isEqualTo("Hello, Alice!");
}
}
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.graphql.tester.AutoConfigureHttpGraphQlTester
import org.springframework.boot.test.context.SpringBootTest
import org.springframework.graphql.test.tester.HttpGraphQlTester
import org.springframework.http.HttpHeaders
import org.springframework.test.web.reactive.server.WebTestClient
@AutoConfigureHttpGraphQlTester
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.MOCK)
class GraphQlIntegrationTests {
@Test
fun shouldGreetWithSpecificName(@Autowired graphQlTester: HttpGraphQlTester) {
val authenticatedTester = graphQlTester.mutate()
.webTestClient { client: WebTestClient.Builder ->
client.defaultHeaders { headers: HttpHeaders ->
headers.setBasicAuth("admin", "ilovespring")
}
}.build()
authenticatedTester.document("{ greeting(name: \"Alice\") } ").execute()
.path("greeting").entity(String::class.java).isEqualTo("Hello, Alice!")
}
}
自动配置的 Data Cassandra 测试
您可以使用 @DataCassandraTest
测试 Cassandra 应用程序。
默认情况下,它会配置CassandraTemplate
,扫描@Table
类,并配置 Spring Data Cassandra 存储库。
使用 @DataCassandraTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
(有关将 Cassandra 与 Spring Boot 结合使用的更多信息,请参阅 Cassandra。
附录中提供了 @DataCassandraTest 启用的自动配置设置的列表。 |
以下示例显示了在 Spring Boot 中使用 Cassandra 测试的典型设置:
-
Java
-
Kotlin
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.data.cassandra.DataCassandraTest;
@DataCassandraTest
class MyDataCassandraTests {
@Autowired
private SomeRepository repository;
}
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.data.cassandra.DataCassandraTest
@DataCassandraTest
class MyDataCassandraTests(@Autowired val repository: SomeRepository)
自动配置的数据 Couchbase 测试
您可以使用 @DataCouchbaseTest
来测试 Couchbase 应用程序。
默认情况下,它配置CouchbaseTemplate
或ReactiveCouchbaseTemplate
,扫描@Document
类,并配置 Spring Data Couchbase 存储库。
使用 @DataCouchbaseTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
(有关将 Couchbase 与 Spring Boot 一起使用的更多信息,请参阅本章前面的 Couchbase。
附录中提供了 @DataCouchbaseTest 启用的自动配置设置的列表。 |
以下示例显示了在 Spring Boot 中使用 Couchbase 测试的典型设置:
-
Java
-
Kotlin
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.data.couchbase.DataCouchbaseTest;
@DataCouchbaseTest
class MyDataCouchbaseTests {
@Autowired
private SomeRepository repository;
// ...
}
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.data.couchbase.DataCouchbaseTest
@DataCouchbaseTest
class MyDataCouchbaseTests(@Autowired val repository: SomeRepository) {
// ...
}
自动配置的数据 Elasticsearch 测试
您可以使用 @DataElasticsearchTest
测试 Elasticsearch 应用程序。
默认情况下,它会配置ElasticsearchTemplate
,扫描@Document
类,并配置 Spring Data Elasticsearch 存储库。
使用 @DataElasticsearchTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
(有关将 Elasticsearch 与 Spring Boot 结合使用的更多信息,请参阅本章前面的 Elasticsearch。
附录中提供了 @DataElasticsearchTest 启用的自动配置设置的列表。 |
以下示例显示了在 Spring Boot 中使用 Elasticsearch 测试的典型设置:
-
Java
-
Kotlin
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.data.elasticsearch.DataElasticsearchTest;
@DataElasticsearchTest
class MyDataElasticsearchTests {
@Autowired
private SomeRepository repository;
// ...
}
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.data.elasticsearch.DataElasticsearchTest
@DataElasticsearchTest
class MyDataElasticsearchTests(@Autowired val repository: SomeRepository) {
// ...
}
自动配置的数据 JPA 测试
您可以使用 @DataJpaTest
注解来测试 JPA 应用程序。
默认情况下,它会扫描 @Entity
类并配置 Spring Data JPA 存储库。
如果 Classpath 上有嵌入式数据库可用,则它也会配置一个。
默认情况下,通过将属性设置为 SQL 查询来记录 SQL 查询。
可以使用 annotation 的属性禁用此功能。spring.jpa.show-sql
true
showSql
使用 @DataJpaTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
附录中提供了 @DataJpaTest 启用的自动配置设置的列表。 |
默认情况下,数据 JPA 测试是事务性的,并在每次测试结束时回滚。 有关更多详细信息,请参阅 Spring Framework Reference Documentation 中的相关部分。 如果这不是您想要的,则可以禁用测试或整个类的事务 management,如下所示:
-
Java
-
Kotlin
import org.springframework.boot.test.autoconfigure.orm.jpa.DataJpaTest;
import org.springframework.transaction.annotation.Propagation;
import org.springframework.transaction.annotation.Transactional;
@DataJpaTest
@Transactional(propagation = Propagation.NOT_SUPPORTED)
class MyNonTransactionalTests {
// ...
}
import org.springframework.boot.test.autoconfigure.orm.jpa.DataJpaTest
import org.springframework.transaction.annotation.Propagation
import org.springframework.transaction.annotation.Transactional
@DataJpaTest
@Transactional(propagation = Propagation.NOT_SUPPORTED)
class MyNonTransactionalTests {
// ...
}
数据 JPA 测试还可以注入 TestEntityManager
Bean,它为专为测试设计的标准 JPA EntityManager
提供了替代方案。
TestEntityManager 也可以通过添加 @AutoConfigureTestEntityManager 自动配置为任何基于 Spring 的测试类。
执行此操作时,请确保您的测试在事务中运行,例如,通过在测试类或方法上添加@Transactional 。 |
如果需要,也可以使用 JdbcTemplate
。
以下示例显示了正在使用的 @DataJpaTest
注释:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.orm.jpa.DataJpaTest;
import org.springframework.boot.test.autoconfigure.orm.jpa.TestEntityManager;
import static org.assertj.core.api.Assertions.assertThat;
@DataJpaTest
class MyRepositoryTests {
@Autowired
private TestEntityManager entityManager;
@Autowired
private UserRepository repository;
@Test
void testExample() {
this.entityManager.persist(new User("sboot", "1234"));
User user = this.repository.findByUsername("sboot");
assertThat(user.getUsername()).isEqualTo("sboot");
assertThat(user.getEmployeeNumber()).isEqualTo("1234");
}
}
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.orm.jpa.DataJpaTest
import org.springframework.boot.test.autoconfigure.orm.jpa.TestEntityManager
@DataJpaTest
class MyRepositoryTests(@Autowired val entityManager: TestEntityManager, @Autowired val repository: UserRepository) {
@Test
fun testExample() {
entityManager.persist(User("sboot", "1234"))
val user = repository.findByUsername("sboot")
assertThat(user?.username).isEqualTo("sboot")
assertThat(user?.employeeNumber).isEqualTo("1234")
}
}
内存嵌入式数据库通常适用于测试,因为它们速度很快且不需要任何安装。
但是,如果您更喜欢对真实数据库运行测试,则可以使用 @AutoConfigureTestDatabase
注释,如以下示例所示:
-
Java
-
Kotlin
import org.springframework.boot.test.autoconfigure.jdbc.AutoConfigureTestDatabase;
import org.springframework.boot.test.autoconfigure.jdbc.AutoConfigureTestDatabase.Replace;
import org.springframework.boot.test.autoconfigure.orm.jpa.DataJpaTest;
@DataJpaTest
@AutoConfigureTestDatabase(replace = Replace.NONE)
class MyRepositoryTests {
// ...
}
import org.springframework.boot.test.autoconfigure.jdbc.AutoConfigureTestDatabase
import org.springframework.boot.test.autoconfigure.orm.jpa.DataJpaTest
@DataJpaTest
@AutoConfigureTestDatabase(replace = AutoConfigureTestDatabase.Replace.NONE)
class MyRepositoryTests {
// ...
}
自动配置的 JDBC 测试
@JdbcTest
类似于 @DataJpaTest
但适用于只需要DataSource
而不使用 Spring Data JDBC 的测试。
默认情况下,它配置内存中的嵌入式数据库和JdbcTemplate
。
使用 @JdbcTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
默认情况下,JDBC 测试是事务性的,并在每个测试结束时回滚。 有关更多详细信息,请参阅 Spring Framework Reference Documentation 中的相关部分。 如果这不是您想要的,则可以为测试或整个类禁用事务管理,如下所示:
-
Java
-
Kotlin
import org.springframework.boot.test.autoconfigure.jdbc.JdbcTest;
import org.springframework.transaction.annotation.Propagation;
import org.springframework.transaction.annotation.Transactional;
@JdbcTest
@Transactional(propagation = Propagation.NOT_SUPPORTED)
class MyTransactionalTests {
}
import org.springframework.boot.test.autoconfigure.jdbc.JdbcTest
import org.springframework.transaction.annotation.Propagation
import org.springframework.transaction.annotation.Transactional
@JdbcTest
@Transactional(propagation = Propagation.NOT_SUPPORTED)
class MyTransactionalTests
如果您希望测试针对真实数据库运行,则可以像使用 @DataJpaTest
一样使用 @AutoConfigureTestDatabase
注释。
(请参阅自动配置的数据 JPA 测试。
自动配置的数据 JDBC 测试
@DataJdbcTest
类似于 @JdbcTest
,但适用于使用 Spring Data JDBC 存储库的测试。
默认情况下,它配置内存中的嵌入式数据库、JdbcTemplate
和 Spring Data JDBC 存储库。
当使用 @DataJdbcTest
注解时,只扫描 AbstractJdbcConfiguration
子类,不扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
附录中提供了 @DataJdbcTest 启用的自动配置列表。 |
默认情况下,数据 JDBC 测试是事务性的,并在每个测试结束时回滚。 有关更多详细信息,请参阅 Spring Framework Reference Documentation 中的相关部分。 如果这不是您想要的,则可以禁用测试或整个测试类的事务管理,如 JDBC 示例所示。
如果您希望测试针对真实数据库运行,则可以像使用 @DataJpaTest
一样使用 @AutoConfigureTestDatabase
注释。
(请参阅自动配置的数据 JPA 测试。
自动配置的数据 R2DBC 测试
@DataR2dbcTest
类似于 @DataJdbcTest
,但适用于使用 Spring Data R2DBC 存储库的测试。
默认情况下,它配置内存中的嵌入式数据库、R2dbcEntityTemplate
和 Spring Data R2DBC 存储库。
使用 @DataR2dbcTest
注释时,不会扫描常规 @Component
Bean 和 @ConfigurationProperties
Bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
附录中提供了 @DataR2dbcTest 启用的自动配置列表。 |
默认情况下,Data R2DBC 测试不是事务性的。
如果您希望测试针对真实数据库运行,则可以像使用 @DataJpaTest
一样使用 @AutoConfigureTestDatabase
注释。
(请参阅自动配置的数据 JPA 测试。
自动配置的 jOOQ 测试
您可以采用与 @JdbcTest
类似的方式使用 @JooqTest
,但用于与 jOOQ 相关的测试。
由于 jOOQ 严重依赖于与数据库架构相对应的基于 Java 的架构,因此使用现有的 DataSource
。
如果要将其替换为内存中数据库,可以使用 @AutoConfigureTestDatabase
覆盖这些设置。
(有关将 jOOQ 与 Spring Boot 一起使用的更多信息,请参见使用 jOOQ。
使用 @JooqTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
@JooqTest
配置 DSLContext
。
以下示例显示了正在使用的 @JooqTest
注释:
-
Java
-
Kotlin
import org.jooq.DSLContext;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.jooq.JooqTest;
@JooqTest
class MyJooqTests {
@Autowired
private DSLContext dslContext;
// ...
}
import org.jooq.DSLContext
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.jooq.JooqTest
@JooqTest
class MyJooqTests(@Autowired val dslContext: DSLContext) {
// ...
}
默认情况下,JOOQ 测试是事务性的,并且在每个测试结束时回滚。 如果这不是您想要的,则可以禁用测试或整个测试类的事务管理,如 JDBC 示例所示。
自动配置的数据 MongoDB 测试
您可以使用 @DataMongoTest
测试 MongoDB 应用程序。
默认情况下,它会配置MongoTemplate
,扫描@Document
类,并配置 Spring Data MongoDB 存储库。
使用 @DataMongoTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
(有关将 MongoDB 与 Spring Boot 结合使用的更多信息,请参阅 MongoDB。
附录中提供了 @DataMongoTest 启用的自动配置设置的列表。 |
下面的类显示了正在使用的 @DataMongoTest
注释:
-
Java
-
Kotlin
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.data.mongo.DataMongoTest;
import org.springframework.data.mongodb.core.MongoTemplate;
@DataMongoTest
class MyDataMongoDbTests {
@Autowired
private MongoTemplate mongoTemplate;
// ...
}
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.data.mongo.DataMongoTest
import org.springframework.data.mongodb.core.MongoTemplate
@DataMongoTest
class MyDataMongoDbTests(@Autowired val mongoTemplate: MongoTemplate) {
// ...
}
自动配置的数据 Neo4j 测试
您可以使用 @DataNeo4jTest
测试 Neo4j 应用程序。
默认情况下,它会扫描 @Node
类,并配置 Spring Data Neo4j 存储库。
使用 @DataNeo4jTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
(有关将 Neo4J 与 Spring Boot 结合使用的更多信息,请参阅 Neo4j.)
附录中提供了 @DataNeo4jTest 启用的自动配置设置的列表。 |
以下示例显示了在 Spring Boot 中使用 Neo4J 测试的典型设置:
-
Java
-
Kotlin
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.data.neo4j.DataNeo4jTest;
@DataNeo4jTest
class MyDataNeo4jTests {
@Autowired
private SomeRepository repository;
// ...
}
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.data.neo4j.DataNeo4jTest
@DataNeo4jTest
class MyDataNeo4jTests(@Autowired val repository: SomeRepository) {
// ...
}
默认情况下,Data Neo4j 测试是事务性的,并在每次测试结束时回滚。 有关更多详细信息,请参阅 Spring Framework Reference Documentation 中的相关部分。 如果这不是您想要的,则可以为测试或整个类禁用事务管理,如下所示:
-
Java
-
Kotlin
import org.springframework.boot.test.autoconfigure.data.neo4j.DataNeo4jTest;
import org.springframework.transaction.annotation.Propagation;
import org.springframework.transaction.annotation.Transactional;
@DataNeo4jTest
@Transactional(propagation = Propagation.NOT_SUPPORTED)
class MyDataNeo4jTests {
}
import org.springframework.boot.test.autoconfigure.data.neo4j.DataNeo4jTest
import org.springframework.transaction.annotation.Propagation
import org.springframework.transaction.annotation.Transactional
@DataNeo4jTest
@Transactional(propagation = Propagation.NOT_SUPPORTED)
class MyDataNeo4jTests
反应式访问不支持事务性测试。
如果使用此样式,则必须如上所述配置 @DataNeo4jTest 测试。 |
自动配置的数据 Redis 测试
您可以使用 @DataRedisTest
测试 Redis 应用程序。
默认情况下,它会扫描 @RedisHash
类并配置 Spring Data Redis 存储库。
使用 @DataRedisTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
(有关将 Redis 与 Spring Boot 结合使用的更多信息,请参阅 Redis。
附录中提供了 @DataRedisTest 启用的自动配置设置的列表。 |
以下示例显示了正在使用的 @DataRedisTest
注释:
-
Java
-
Kotlin
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.data.redis.DataRedisTest;
@DataRedisTest
class MyDataRedisTests {
@Autowired
private SomeRepository repository;
// ...
}
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.data.redis.DataRedisTest
@DataRedisTest
class MyDataRedisTests(@Autowired val repository: SomeRepository) {
// ...
}
自动配置的数据 LDAP 测试
您可以使用 @DataLdapTest
测试 LDAP 应用程序。
默认情况下,它配置内存中的嵌入式 LDAP(如果可用),配置LdapTemplate
,扫描@Entry
类,并配置 Spring Data LDAP 存储库。
使用 @DataLdapTest
注释时,不会扫描常规 @Component
和 @ConfigurationProperties
bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
(有关将 LDAP 与 Spring Boot 结合使用的更多信息,请参见 LDAP。
附录中提供了 @DataLdapTest 启用的自动配置设置的列表。 |
以下示例显示了正在使用的 @DataLdapTest
注释:
-
Java
-
Kotlin
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.data.ldap.DataLdapTest;
import org.springframework.ldap.core.LdapTemplate;
@DataLdapTest
class MyDataLdapTests {
@Autowired
private LdapTemplate ldapTemplate;
// ...
}
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.data.ldap.DataLdapTest
import org.springframework.ldap.core.LdapTemplate
@DataLdapTest
class MyDataLdapTests(@Autowired val ldapTemplate: LdapTemplate) {
// ...
}
内存中嵌入式 LDAP 通常适用于测试,因为它速度很快,并且不需要任何开发人员安装。 但是,如果您希望针对实际 LDAP 服务器运行测试,则应排除嵌入式 LDAP 自动配置,如以下示例所示:
-
Java
-
Kotlin
import org.springframework.boot.autoconfigure.ldap.embedded.EmbeddedLdapAutoConfiguration;
import org.springframework.boot.test.autoconfigure.data.ldap.DataLdapTest;
@DataLdapTest(excludeAutoConfiguration = EmbeddedLdapAutoConfiguration.class)
class MyDataLdapTests {
// ...
}
import org.springframework.boot.autoconfigure.ldap.embedded.EmbeddedLdapAutoConfiguration
import org.springframework.boot.test.autoconfigure.data.ldap.DataLdapTest
@DataLdapTest(excludeAutoConfiguration = [EmbeddedLdapAutoConfiguration::class])
class MyDataLdapTests {
// ...
}
自动配置的 REST 客户端
您可以使用 @RestClientTest
注解来测试 REST 客户端。
默认情况下,它会自动配置 Jackson、GSON 和 Jsonb 支持,配置RestTemplateBuilder
和RestClient.Builder
,并添加对MockRestServiceServer
的支持。
使用 @RestClientTest
注释时,不会扫描常规 @Component
Bean 和 @ConfigurationProperties
Bean。@EnableConfigurationProperties
可用于包含 @ConfigurationProperties
bean。
附录中提供了 @RestClientTest 启用的自动配置设置的列表。 |
要测试的特定 bean 应使用 @RestClientTest
的 or 属性指定。value
components
当在被测 bean 中使用RestTemplateBuilder
并在构建RestTemplate
时被调用时,则应从MockRestServiceServer
期望中省略根 URI,如以下示例所示:RestTemplateBuilder.rootUri(String rootUri)
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.client.RestClientTest;
import org.springframework.http.MediaType;
import org.springframework.test.web.client.MockRestServiceServer;
import static org.assertj.core.api.Assertions.assertThat;
import static org.springframework.test.web.client.match.MockRestRequestMatchers.requestTo;
import static org.springframework.test.web.client.response.MockRestResponseCreators.withSuccess;
@RestClientTest(org.springframework.boot.docs.testing.springbootapplications.autoconfiguredrestclient.RemoteVehicleDetailsService.class)
class MyRestTemplateServiceTests {
@Autowired
private RemoteVehicleDetailsService service;
@Autowired
private MockRestServiceServer server;
@Test
void getVehicleDetailsWhenResultIsSuccessShouldReturnDetails() {
this.server.expect(requestTo("/greet/details")).andRespond(withSuccess("hello", MediaType.TEXT_PLAIN));
String greeting = this.service.callRestService();
assertThat(greeting).isEqualTo("hello");
}
}
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.web.client.RestClientTest
import org.springframework.http.MediaType
import org.springframework.test.web.client.MockRestServiceServer
import org.springframework.test.web.client.match.MockRestRequestMatchers
import org.springframework.test.web.client.response.MockRestResponseCreators
@RestClientTest(RemoteVehicleDetailsService::class)
class MyRestTemplateServiceTests(
@Autowired val service: RemoteVehicleDetailsService,
@Autowired val server: MockRestServiceServer) {
@Test
fun getVehicleDetailsWhenResultIsSuccessShouldReturnDetails() {
server.expect(MockRestRequestMatchers.requestTo("/greet/details"))
.andRespond(MockRestResponseCreators.withSuccess("hello", MediaType.TEXT_PLAIN))
val greeting = service.callRestService()
assertThat(greeting).isEqualTo("hello")
}
}
在待测 bean 中使用 RestClient.Builder
时,或者在不调用 RestTemplateBuilder
的情况下使用完整的 URI 时,必须在 MockRestServiceServer
预期中使用,如以下示例所示:rootUri(String rootURI)
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.client.RestClientTest;
import org.springframework.http.MediaType;
import org.springframework.test.web.client.MockRestServiceServer;
import static org.assertj.core.api.Assertions.assertThat;
import static org.springframework.test.web.client.match.MockRestRequestMatchers.requestTo;
import static org.springframework.test.web.client.response.MockRestResponseCreators.withSuccess;
@RestClientTest(RemoteVehicleDetailsService.class)
class MyRestClientServiceTests {
@Autowired
private RemoteVehicleDetailsService service;
@Autowired
private MockRestServiceServer server;
@Test
void getVehicleDetailsWhenResultIsSuccessShouldReturnDetails() {
this.server.expect(requestTo("https://example.com/greet/details"))
.andRespond(withSuccess("hello", MediaType.TEXT_PLAIN));
String greeting = this.service.callRestService();
assertThat(greeting).isEqualTo("hello");
}
}
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.web.client.RestClientTest
import org.springframework.http.MediaType
import org.springframework.test.web.client.MockRestServiceServer
import org.springframework.test.web.client.match.MockRestRequestMatchers
import org.springframework.test.web.client.response.MockRestResponseCreators
@RestClientTest(RemoteVehicleDetailsService::class)
class MyRestClientServiceTests(
@Autowired val service: RemoteVehicleDetailsService,
@Autowired val server: MockRestServiceServer) {
@Test
fun getVehicleDetailsWhenResultIsSuccessShouldReturnDetails() {
server.expect(MockRestRequestMatchers.requestTo("https://example.com/greet/details"))
.andRespond(MockRestResponseCreators.withSuccess("hello", MediaType.TEXT_PLAIN))
val greeting = service.callRestService()
assertThat(greeting).isEqualTo("hello")
}
}
自动配置的 Spring REST Docs 测试
你可以使用 @AutoConfigureRestDocs
注释在带有 Mock MVC、REST Assure 或 WebTestClient 的测试中使用 Spring REST Docs。
它消除了 Spring REST Docs 中对 JUnit 扩展的需求。
@AutoConfigureRestDocs
可用于覆盖默认输出目录(如果您使用的是 Maven 或 Gradle)。
它还可用于配置出现在任何记录的 URI 中的主机、方案和端口。target/generated-snippets
build/generated-snippets
使用模拟 MVC 自动配置的 Spring REST 文档测试
@AutoConfigureRestDocs
自定义 MockMvc
bean 以在测试基于 servlet 的 Web 应用程序时使用 Spring REST Docs。
您可以使用 @Autowired
注入它,并在测试中使用它,就像通常使用 Mock MVC 和 Spring REST Docs 时一样,如以下示例所示:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.restdocs.AutoConfigureRestDocs;
import org.springframework.boot.test.autoconfigure.web.servlet.WebMvcTest;
import org.springframework.http.MediaType;
import org.springframework.test.web.servlet.MockMvc;
import static org.springframework.restdocs.mockmvc.MockMvcRestDocumentation.document;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.get;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;
@WebMvcTest(UserController.class)
@AutoConfigureRestDocs
class MyUserDocumentationTests {
@Autowired
private MockMvc mvc;
@Test
void listUsers() throws Exception {
this.mvc.perform(get("/users").accept(MediaType.TEXT_PLAIN))
.andExpect(status().isOk())
.andDo(document("list-users"));
}
}
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.restdocs.AutoConfigureRestDocs
import org.springframework.boot.test.autoconfigure.web.servlet.WebMvcTest
import org.springframework.http.MediaType
import org.springframework.restdocs.mockmvc.MockMvcRestDocumentation
import org.springframework.test.web.servlet.MockMvc
import org.springframework.test.web.servlet.request.MockMvcRequestBuilders
import org.springframework.test.web.servlet.result.MockMvcResultMatchers
@WebMvcTest(UserController::class)
@AutoConfigureRestDocs
class MyUserDocumentationTests(@Autowired val mvc: MockMvc) {
@Test
fun listUsers() {
mvc.perform(MockMvcRequestBuilders.get("/users").accept(MediaType.TEXT_PLAIN))
.andExpect(MockMvcResultMatchers.status().isOk)
.andDo(MockMvcRestDocumentation.document("list-users"))
}
}
如果你需要对 Spring REST Docs 配置的控制比@AutoConfigureRestDocs
的属性提供的更多,则可以使用RestDocsMockMvcConfigurationCustomizer
bean,如以下示例所示:
-
Java
-
Kotlin
import org.springframework.boot.test.autoconfigure.restdocs.RestDocsMockMvcConfigurationCustomizer;
import org.springframework.boot.test.context.TestConfiguration;
import org.springframework.restdocs.mockmvc.MockMvcRestDocumentationConfigurer;
import org.springframework.restdocs.templates.TemplateFormats;
@TestConfiguration(proxyBeanMethods = false)
public class MyRestDocsConfiguration implements RestDocsMockMvcConfigurationCustomizer {
@Override
public void customize(MockMvcRestDocumentationConfigurer configurer) {
configurer.snippets().withTemplateFormat(TemplateFormats.markdown());
}
}
import org.springframework.boot.test.autoconfigure.restdocs.RestDocsMockMvcConfigurationCustomizer
import org.springframework.boot.test.context.TestConfiguration
import org.springframework.restdocs.mockmvc.MockMvcRestDocumentationConfigurer
import org.springframework.restdocs.templates.TemplateFormats
@TestConfiguration(proxyBeanMethods = false)
class MyRestDocsConfiguration : RestDocsMockMvcConfigurationCustomizer {
override fun customize(configurer: MockMvcRestDocumentationConfigurer) {
configurer.snippets().withTemplateFormat(TemplateFormats.markdown())
}
}
如果你想利用 Spring REST Docs 对参数化输出目录的支持,你可以创建一个RestDocumentationResultHandler
bean。
使用此结果处理程序的自动配置调用,从而导致每个 MockMvc
调用自动生成默认代码片段。
下面的示例展示了一个 RestDocumentationResultHandler
正在定义:alwaysDo
-
Java
-
Kotlin
import org.springframework.boot.test.context.TestConfiguration;
import org.springframework.context.annotation.Bean;
import org.springframework.restdocs.mockmvc.MockMvcRestDocumentation;
import org.springframework.restdocs.mockmvc.RestDocumentationResultHandler;
@TestConfiguration(proxyBeanMethods = false)
public class MyResultHandlerConfiguration {
@Bean
public RestDocumentationResultHandler restDocumentation() {
return MockMvcRestDocumentation.document("{method-name}");
}
}
import org.springframework.boot.test.context.TestConfiguration
import org.springframework.context.annotation.Bean
import org.springframework.restdocs.mockmvc.MockMvcRestDocumentation
import org.springframework.restdocs.mockmvc.RestDocumentationResultHandler
@TestConfiguration(proxyBeanMethods = false)
class MyResultHandlerConfiguration {
@Bean
fun restDocumentation(): RestDocumentationResultHandler {
return MockMvcRestDocumentation.document("{method-name}")
}
}
使用 WebTestClient 自动配置的 Spring REST Docs 测试
在测试反应式 Web 应用程序时,@AutoConfigureRestDocs
也可以与 WebTestClient
一起使用。
您可以使用 @Autowired
注入它,并像通常使用 @WebFluxTest
和 Spring REST Docs 时一样在测试中使用它,如以下示例所示:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.restdocs.AutoConfigureRestDocs;
import org.springframework.boot.test.autoconfigure.web.reactive.WebFluxTest;
import org.springframework.test.web.reactive.server.WebTestClient;
import static org.springframework.restdocs.webtestclient.WebTestClientRestDocumentation.document;
@WebFluxTest
@AutoConfigureRestDocs
class MyUsersDocumentationTests {
@Autowired
private WebTestClient webTestClient;
@Test
void listUsers() {
this.webTestClient
.get().uri("/")
.exchange()
.expectStatus()
.isOk()
.expectBody()
.consumeWith(document("list-users"));
}
}
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.restdocs.AutoConfigureRestDocs
import org.springframework.boot.test.autoconfigure.web.reactive.WebFluxTest
import org.springframework.restdocs.webtestclient.WebTestClientRestDocumentation
import org.springframework.test.web.reactive.server.WebTestClient
@WebFluxTest
@AutoConfigureRestDocs
class MyUsersDocumentationTests(@Autowired val webTestClient: WebTestClient) {
@Test
fun listUsers() {
webTestClient
.get().uri("/")
.exchange()
.expectStatus()
.isOk
.expectBody()
.consumeWith(WebTestClientRestDocumentation.document("list-users"))
}
}
如果你需要对 Spring REST Docs 配置的控制比@AutoConfigureRestDocs
的属性提供的更多,则可以使用RestDocsWebTestClientConfigurationCustomizer
Bean,如以下示例所示:
-
Java
-
Kotlin
import org.springframework.boot.test.autoconfigure.restdocs.RestDocsWebTestClientConfigurationCustomizer;
import org.springframework.boot.test.context.TestConfiguration;
import org.springframework.restdocs.webtestclient.WebTestClientRestDocumentationConfigurer;
@TestConfiguration(proxyBeanMethods = false)
public class MyRestDocsConfiguration implements RestDocsWebTestClientConfigurationCustomizer {
@Override
public void customize(WebTestClientRestDocumentationConfigurer configurer) {
configurer.snippets().withEncoding("UTF-8");
}
}
import org.springframework.boot.test.autoconfigure.restdocs.RestDocsWebTestClientConfigurationCustomizer
import org.springframework.boot.test.context.TestConfiguration
import org.springframework.restdocs.webtestclient.WebTestClientRestDocumentationConfigurer
@TestConfiguration(proxyBeanMethods = false)
class MyRestDocsConfiguration : RestDocsWebTestClientConfigurationCustomizer {
override fun customize(configurer: WebTestClientRestDocumentationConfigurer) {
configurer.snippets().withEncoding("UTF-8")
}
}
如果你想利用 Spring REST Docs 对参数化输出目录的支持,你可以使用WebTestClientBuilderCustomizer
为每个实体交换结果配置一个使用者。
以下示例显示了正在定义的此类 WebTestClientBuilderCustomizer
:
-
Java
-
Kotlin
import org.springframework.boot.test.context.TestConfiguration;
import org.springframework.boot.test.web.reactive.server.WebTestClientBuilderCustomizer;
import org.springframework.context.annotation.Bean;
import static org.springframework.restdocs.webtestclient.WebTestClientRestDocumentation.document;
@TestConfiguration(proxyBeanMethods = false)
public class MyWebTestClientBuilderCustomizerConfiguration {
@Bean
public WebTestClientBuilderCustomizer restDocumentation() {
return (builder) -> builder.entityExchangeResultConsumer(document("{method-name}"));
}
}
import org.springframework.boot.test.context.TestConfiguration
import org.springframework.boot.test.web.reactive.server.WebTestClientBuilderCustomizer
import org.springframework.context.annotation.Bean
import org.springframework.restdocs.webtestclient.WebTestClientRestDocumentation
import org.springframework.test.web.reactive.server.WebTestClient
@TestConfiguration(proxyBeanMethods = false)
class MyWebTestClientBuilderCustomizerConfiguration {
@Bean
fun restDocumentation(): WebTestClientBuilderCustomizer {
return WebTestClientBuilderCustomizer { builder: WebTestClient.Builder ->
builder.entityExchangeResultConsumer(
WebTestClientRestDocumentation.document("{method-name}")
)
}
}
}
使用 REST Assured 自动配置的 Spring REST Docs 测试
@AutoConfigureRestDocs
使预配置为使用 Spring REST Docs 的 RequestSpecification
bean 可用于您的测试。
您可以使用 @Autowired
注入它,并在测试中使用它,就像通常使用 REST Assured 和 Spring REST Docs 时一样,如以下示例所示:
-
Java
-
Kotlin
import io.restassured.specification.RequestSpecification;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.restdocs.AutoConfigureRestDocs;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.boot.test.context.SpringBootTest.WebEnvironment;
import org.springframework.boot.test.web.server.LocalServerPort;
import static io.restassured.RestAssured.given;
import static org.hamcrest.Matchers.is;
import static org.springframework.restdocs.restassured.RestAssuredRestDocumentation.document;
@SpringBootTest(webEnvironment = WebEnvironment.RANDOM_PORT)
@AutoConfigureRestDocs
class MyUserDocumentationTests {
@Test
void listUsers(@Autowired RequestSpecification documentationSpec, @LocalServerPort int port) {
given(documentationSpec)
.filter(document("list-users"))
.when()
.port(port)
.get("/")
.then().assertThat()
.statusCode(is(200));
}
}
import io.restassured.RestAssured
import io.restassured.specification.RequestSpecification
import org.hamcrest.Matchers
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.restdocs.AutoConfigureRestDocs
import org.springframework.boot.test.context.SpringBootTest
import org.springframework.boot.test.context.SpringBootTest.WebEnvironment
import org.springframework.boot.test.web.server.LocalServerPort
import org.springframework.restdocs.restassured.RestAssuredRestDocumentation
@SpringBootTest(webEnvironment = WebEnvironment.RANDOM_PORT)
@AutoConfigureRestDocs
class MyUserDocumentationTests {
@Test
fun listUsers(@Autowired documentationSpec: RequestSpecification?, @LocalServerPort port: Int) {
RestAssured.given(documentationSpec)
.filter(RestAssuredRestDocumentation.document("list-users"))
.`when`()
.port(port)["/"]
.then().assertThat()
.statusCode(Matchers.`is`(200))
}
}
如果你需要对 Spring REST Docs 配置的控制比@AutoConfigureRestDocs
的属性提供的更多控制,则可以使用RestDocsRestAssuredConfigurationCustomizer
bean,如以下示例所示:
-
Java
-
Kotlin
import org.springframework.boot.test.autoconfigure.restdocs.RestDocsRestAssuredConfigurationCustomizer;
import org.springframework.boot.test.context.TestConfiguration;
import org.springframework.restdocs.restassured.RestAssuredRestDocumentationConfigurer;
import org.springframework.restdocs.templates.TemplateFormats;
@TestConfiguration(proxyBeanMethods = false)
public class MyRestDocsConfiguration implements RestDocsRestAssuredConfigurationCustomizer {
@Override
public void customize(RestAssuredRestDocumentationConfigurer configurer) {
configurer.snippets().withTemplateFormat(TemplateFormats.markdown());
}
}
import org.springframework.boot.test.autoconfigure.restdocs.RestDocsRestAssuredConfigurationCustomizer
import org.springframework.boot.test.context.TestConfiguration
import org.springframework.restdocs.restassured.RestAssuredRestDocumentationConfigurer
import org.springframework.restdocs.templates.TemplateFormats
@TestConfiguration(proxyBeanMethods = false)
class MyRestDocsConfiguration : RestDocsRestAssuredConfigurationCustomizer {
override fun customize(configurer: RestAssuredRestDocumentationConfigurer) {
configurer.snippets().withTemplateFormat(TemplateFormats.markdown())
}
}
自动配置的 Spring Web 服务测试
自动配置的 Spring Web 服务客户端测试
您可以使用 @WebServiceClientTest
来测试使用 Spring Web Services 项目调用 Web 服务的应用程序。
默认情况下,它配置一个MockWebServiceServer
Bean 并自动自定义你的WebServiceTemplateBuilder
。
(有关将 Web 服务与 Spring Boot 结合使用的更多信息,请参阅 Web 服务。
附录中提供了 @WebServiceClientTest 启用的自动配置设置的列表。 |
以下示例显示了正在使用的 @WebServiceClientTest
注释:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.webservices.client.WebServiceClientTest;
import org.springframework.ws.test.client.MockWebServiceServer;
import org.springframework.xml.transform.StringSource;
import static org.assertj.core.api.Assertions.assertThat;
import static org.springframework.ws.test.client.RequestMatchers.payload;
import static org.springframework.ws.test.client.ResponseCreators.withPayload;
@WebServiceClientTest(SomeWebService.class)
class MyWebServiceClientTests {
@Autowired
private MockWebServiceServer server;
@Autowired
private SomeWebService someWebService;
@Test
void mockServerCall() {
this.server
.expect(payload(new StringSource("<request/>")))
.andRespond(withPayload(new StringSource("<response><status>200</status></response>")));
assertThat(this.someWebService.test())
.extracting(Response::getStatus)
.isEqualTo(200);
}
}
import org.assertj.core.api.Assertions.assertThat
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.webservices.client.WebServiceClientTest
import org.springframework.ws.test.client.MockWebServiceServer
import org.springframework.ws.test.client.RequestMatchers
import org.springframework.ws.test.client.ResponseCreators
import org.springframework.xml.transform.StringSource
@WebServiceClientTest(SomeWebService::class)
class MyWebServiceClientTests(@Autowired val server: MockWebServiceServer, @Autowired val someWebService: SomeWebService) {
@Test
fun mockServerCall() {
server
.expect(RequestMatchers.payload(StringSource("<request/>")))
.andRespond(ResponseCreators.withPayload(StringSource("<response><status>200</status></response>")))
assertThat(this.someWebService.test()).extracting(Response::status).isEqualTo(200)
}
}
自动配置的 Spring Web 服务服务器测试
您可以使用 @WebServiceServerTest
来测试使用 Spring Web Services 项目实现 Web 服务的应用程序。
默认情况下,它配置了一个MockWebServiceClient
Bean,该 bean 可用于调用你的 Web 服务端点。
(有关将 Web 服务与 Spring Boot 结合使用的更多信息,请参阅 Web 服务。
附录中提供了 @WebServiceServerTest 启用的自动配置设置的列表。 |
以下示例显示了正在使用的 @WebServiceServerTest
注释:
-
Java
-
Kotlin
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.webservices.server.WebServiceServerTest;
import org.springframework.ws.test.server.MockWebServiceClient;
import org.springframework.ws.test.server.RequestCreators;
import org.springframework.ws.test.server.ResponseMatchers;
import org.springframework.xml.transform.StringSource;
@WebServiceServerTest(ExampleEndpoint.class)
class MyWebServiceServerTests {
@Autowired
private MockWebServiceClient client;
@Test
void mockServerCall() {
this.client
.sendRequest(RequestCreators.withPayload(new StringSource("<ExampleRequest/>")))
.andExpect(ResponseMatchers.payload(new StringSource("<ExampleResponse>42</ExampleResponse>")));
}
}
import org.junit.jupiter.api.Test
import org.springframework.beans.factory.annotation.Autowired
import org.springframework.boot.test.autoconfigure.webservices.server.WebServiceServerTest
import org.springframework.ws.test.server.MockWebServiceClient
import org.springframework.ws.test.server.RequestCreators
import org.springframework.ws.test.server.ResponseMatchers
import org.springframework.xml.transform.StringSource
@WebServiceServerTest(ExampleEndpoint::class)
class MyWebServiceServerTests(@Autowired val client: MockWebServiceClient) {
@Test
fun mockServerCall() {
client
.sendRequest(RequestCreators.withPayload(StringSource("<ExampleRequest/>")))
.andExpect(ResponseMatchers.payload(StringSource("<ExampleResponse>42</ExampleResponse>")))
}
}
其他自动配置和切片
每个切片都提供一个或多个注释,即定义应作为切片的一部分包含的自动配置。
通过创建自定义注释或向测试添加@ImportAutoConfiguration
,可以逐个测试添加其他自动配置,如以下示例所示:@AutoConfigure…
@AutoConfigure…
-
Java
-
Kotlin
import org.springframework.boot.autoconfigure.ImportAutoConfiguration;
import org.springframework.boot.autoconfigure.integration.IntegrationAutoConfiguration;
import org.springframework.boot.test.autoconfigure.jdbc.JdbcTest;
@JdbcTest
@ImportAutoConfiguration(IntegrationAutoConfiguration.class)
class MyJdbcTests {
}
import org.springframework.boot.autoconfigure.ImportAutoConfiguration
import org.springframework.boot.autoconfigure.integration.IntegrationAutoConfiguration
import org.springframework.boot.test.autoconfigure.jdbc.JdbcTest
@JdbcTest
@ImportAutoConfiguration(IntegrationAutoConfiguration::class)
class MyJdbcTests
确保不要使用常规的 @Import 注释来导入自动配置,因为它们是由 Spring Boot 以特定方式处理的。 |
或者,可以通过在存储的文件中注册切片注释来为切片注释的任何使用添加其他自动配置,如以下示例所示:META-INF/spring
com.example.IntegrationAutoConfiguration
在此示例中,在用 @JdbcTest
注释的每个测试上启用 the 。com.example.IntegrationAutoConfiguration
您可以在此文件中使用 Comments。# |
只要使用 @ImportAutoConfiguration 进行元注释,就可以以这种方式自定义切片或 Annotation。@AutoConfigure… |
用户配置和切片
如果您以合理的方式构建代码,则默认情况下将使用 @SpringBootApplication
类作为测试的配置。
因此,重要的是不要在应用程序的主类中混淆特定于其特定功能区域的配置设置。
假设您使用的是 Spring Data MongoDB,您依赖于它的自动配置,并且您已启用审计。
您可以按如下方式定义@SpringBootApplication
:
-
Java
-
Kotlin
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.data.mongodb.config.EnableMongoAuditing;
@SpringBootApplication
@EnableMongoAuditing
public class MyApplication {
// ...
}
import org.springframework.boot.autoconfigure.SpringBootApplication
import org.springframework.data.mongodb.config.EnableMongoAuditing
@SpringBootApplication
@EnableMongoAuditing
class MyApplication {
// ...
}
因为这个类是测试的源配置,所以任何切片测试实际上都会尝试启用 Mongo 审计,这绝对不是你想要的。
建议的方法是将特定于区域的配置移动到与应用程序位于同一级别的单独 @Configuration
类,如以下示例所示:
-
Java
-
Kotlin
import org.springframework.context.annotation.Configuration;
import org.springframework.data.mongodb.config.EnableMongoAuditing;
@Configuration(proxyBeanMethods = false)
@EnableMongoAuditing
public class MyMongoConfiguration {
// ...
}
import org.springframework.context.annotation.Configuration
import org.springframework.data.mongodb.config.EnableMongoAuditing
@Configuration(proxyBeanMethods = false)
@EnableMongoAuditing
class MyMongoConfiguration {
// ...
}
根据应用程序的复杂程度,您可能有一个用于自定义的 @Configuration 类,或者每个域区域有一个类。
后一种方法允许您在其中一个测试中启用它,如有必要,使用 @Import 注解。
有关何时可能需要为切片测试启用特定 @Configuration 类的更多详细信息,请参阅此操作方法部分。 |
测试切片从扫描中排除@Configuration
类。
例如,对于@WebMvcTest
,以下配置将不包括在测试切片加载的应用程序上下文中给定的WebMvcConfigurer
bean:
-
Java
-
Kotlin
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
@Configuration(proxyBeanMethods = false)
public class MyWebConfiguration {
@Bean
public WebMvcConfigurer testConfigurer() {
return new WebMvcConfigurer() {
// ...
};
}
}
import org.springframework.context.annotation.Bean
import org.springframework.context.annotation.Configuration
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer
@Configuration(proxyBeanMethods = false)
class MyWebConfiguration {
@Bean
fun testConfigurer(): WebMvcConfigurer {
return object : WebMvcConfigurer {
// ...
}
}
}
但是,下面的配置将导致测试切片加载自定义WebMvcConfigurer
。
-
Java
-
Kotlin
import org.springframework.stereotype.Component;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
@Component
public class MyWebMvcConfigurer implements WebMvcConfigurer {
// ...
}
import org.springframework.stereotype.Component
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer
@Component
class MyWebMvcConfigurer : WebMvcConfigurer {
// ...
}
另一个混淆的来源是 Classpath scanning。 假设您以合理的方式构建了代码,但需要扫描其他包。 您的应用程序可能类似于以下代码:
-
Java
-
Kotlin
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.context.annotation.ComponentScan;
@SpringBootApplication
@ComponentScan({ "com.example.app", "com.example.another" })
public class MyApplication {
// ...
}
import org.springframework.boot.autoconfigure.SpringBootApplication
import org.springframework.context.annotation.ComponentScan
@SpringBootApplication
@ComponentScan("com.example.app", "com.example.another")
class MyApplication {
// ...
}
这样做可以有效地覆盖默认的组件 scan 指令,其副作用是扫描这两个包,而不管你选择了哪个 slice。
例如,@DataJpaTest
似乎突然扫描了应用程序的组件和用户配置。
同样,将 custom 指令移动到单独的类是解决此问题的好方法。
如果这不是您的选项,则可以在测试层次结构中的某个位置创建一个@SpringBootConfiguration ,以便改用它。
或者,您可以为测试指定一个源,这将禁用查找默认源的行为。 |
使用 Spock 测试 Spring Boot 应用程序
Spock 2.2 或更高版本可用于测试 Spring Boot 应用程序。
为此,请将对 Spock 模块版本的依赖项添加到应用程序的构建中。 将 Spring 的测试框架集成到 Spock 中。
有关更多详细信息,请参阅 Spock 的 Spring 模块的文档。-groovy-4.0
spock-spring
spock-spring