SpringBoot2.x系列教程08--新纪元之SpringBoot中编写测试用例

SpringBoot系列教程08--新纪元之SpringBoot中编写测试用例
作者:一一哥

我们在上一个案例的基础之上,添加spring-boot-starter-test依赖,看看在Spring Boot中如何实现测试用例的编写。

一. 引入Test依赖

SpringBoot2.x系列教程08--新纪元之SpringBoot中编写测试用例_第1张图片


        
            org.springframework.boot
            spring-boot-starter-web
        

        
            org.springframework.boot
            spring-boot-starter-test
            test
        
    

二.编写测试类

1.创建测试类

在我们的项目test包里,编写一个测试类,HelloBootAppliationTest类。

SpringBoot2.x系列教程08--新纪元之SpringBoot中编写测试用例_第2张图片

2.编写具体的测试用例代码

@RunWith(SpringJUnit4ClassRunner.class)
@SpringBootTest(classes = MockServletContext.class)
@WebAppConfiguration
public class HelloBootApplicationTest {

    private MockMvc mvc;

    @Before
    public void setUp() throws Exception {
        mvc = MockMvcBuilders.standaloneSetup(new HelloBootApplication()).build();
    }

    @Test
    public void getHello() throws Exception {
        mvc.perform(MockMvcRequestBuilders.get("/").accept(MediaType.APPLICATION_JSON))
                .andExpect(status().isOk())
                .andExpect(content().string(equalTo("Hello Spring Boot!")));
    }

}

我们使用MockServletContext来构建一个空的WebApplicationContext,这样我们创建的HelloBootApplication就可以在@Before函数中创建并传递到MockMvcBuilders.standaloneSetup()函数中.

3. 静态导入,使得status、content、equalTo函数可用.

import static org.hamcrest.Matchers.equalTo;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;

4.执行测试结果

SpringBoot2.x系列教程08--新纪元之SpringBoot中编写测试用例_第3张图片

我们可以看到,执行的结果为”绿色“,也就是说现在执行结果没问题!

当我们把预期的结果改成错误的内容,此时再检测,会发现结果出问题了,变成了红色的提示。

SpringBoot2.x系列教程08--新纪元之SpringBoot中编写测试用例_第4张图片

使用MockServletContext来构建一个空的WebApplicationContext,这样我们创建的HelloController就可以在@Before函数中创建并传递到MockMvcBuilders.standaloneSetup()函数中.

执行getHello()测试方法,运行正常.

SpringBoot2.x系列教程08--新纪元之SpringBoot中编写测试用例_第5张图片

你可能感兴趣的:(SpringBoot)