springboot controller 单元测试
时间: 2024-01-04 12:20:05 浏览: 80
在Spring Boot中,可以使用JUnit和MockMvc来进行Controller的单元测试。下面是一个示例:
```java
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
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.http.MediaType;
import org.springframework.test.context.junit4.SpringRunner;
import org.springframework.test.web.servlet.MockMvc;
import org.springframework.test.web.servlet.request.MockMvcRequestBuilders;
import org.springframework.test.web.servlet.result.MockMvcResultMatchers;
@RunWith(SpringRunner.class)
@SpringBootTest
@AutoConfigureMockMvc
public class MyControllerTest {
@Autowired
private MockMvc mockMvc;
@Before
public void setup() {
// 在每个测试方法执行前的初始化操作
}
@Test
public void testController() throws Exception {
mockMvc.perform(MockMvcRequestBuilders.get("/api/mycontroller")
.contentType(MediaType.APPLICATION_JSON))
.andExpect(MockMvcResultMatchers.status().isOk())
.andExpect(MockMvcResultMatchers.jsonPath("$.name").value("John"))
.andExpect(MockMvcResultMatchers.jsonPath("$.age").value(25));
}
}
```
上述代码中,我们使用了`@RunWith(SpringRunner.class)`注解来指定使用SpringRunner运行测试。`@SpringBootTest`注解用于加载Spring Boot应用程序上下文。`@AutoConfigureMockMvc`注解用于自动配置MockMvc实例。
在`testController`方法中,我们使用`MockMvc`执行了一个GET请求,并验证了返回的状态码和JSON响应的内容。
需要注意的是,上述示例中的路径`/api/mycontroller`和JSON响应的内容`name`和`age`是根据具体的Controller和返回值来设置的,你需要根据你的实际情况进行修改。
阅读全文