首页 > 解决方案 > Spring Boot 单元测试构造函数注入

问题描述

我正在使用 Spring Boot 创建一个 REST API 并在我的控制器上编写一些单元测试。我知道在spring中注入bean的推荐方式是构造函数注入。但是当我将@SpringBootTest注释添加到我的测试类时,我无法用构造函数注入我的控制器类,我发现自己必须使用@Autowired.

有一些解释,还有另一种使用构造函数注入的方法SpringBootTest

@SpringBootTest(webEnvironment = WebEnvironment.RANDOM_PORT)
class PersonControllerTest {

    @LocalServerPort
    private int port;

    @Autowired
    private PersonController controller;

    @Autowired
    private TestRestTemplate restTemplate;


    @Test
    public void greetingShouldReturnDefaultMessage() throws Exception {
        assertThat(this.restTemplate.getForObject("http://localhost:" + port + "/cvtech/Persons/",
                                                  String.class)).contains("content");
    }

    @Test
    public void contextLoads() throws Exception {
        assertThat(controller).isNotNull();
    }
    @Test
    void findAllByJob() {
    }
}

标签: javaspringspring-bootjunit5

解决方案


您的测试可以使用字段注入,因为测试本身不属于您的域;该测试不会成为您的应用程序上下文的一部分。

您不想SpringBootTest用来测试控制器,因为这将连接所有可能过于繁重且耗时的bean。相反,您可能只想创建控制器及其依赖项。

所以你最好的选择是使用@WebMvcTest它只会创建测试指定控制器所需的bean。

@ExtendWith(SpringExtension.class)
@WebMvcTest(controllers = PersonController.class)
class PersonControllerTest {
    @Autowired
    private MockMvc mockMvc;

    @Test
    public void greetingShouldReturnDefaultMessage() throws Exception {
        mockMvc.perform(get("/cvtech/Persons"))
               .andExpect(status().isOk())
               .andExpect(content().string(contains("content")));
    }
}

请注意,@WebMvcTest它将搜索带有注释的类,@SpringBootConfiguration因为它是默认配置。如果它没有找到它,或者你想手动指定一些配置类,也用@ContextConfiguration.

另外,作为旁注,使用时TestRestTemplate,您不需要指定主机和端口。restTemplate.getForObject("/cvtech/persons", String.class)); 使用MockMvc或时只需调用 Same WebTestClient


推荐阅读