在Spring Boot中測試endpoints,通常使用Spring Boot Test模塊和相關(guān)的測試工具
確保你的項(xiàng)目中包含了以下依賴:
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-test</artifactId>
<scope>test</scope>
</dependency>
在src/test/java
目錄下,為你的控制器創(chuàng)建一個(gè)測試類。例如,如果你的控制器名為UserController
,則創(chuàng)建一個(gè)名為UserControllerTest
的測試類。
使用@RunWith(SpringRunner.class)
和@SpringBootTest
注解你的測試類,這將啟動一個(gè)Spring Boot應(yīng)用程序?qū)嵗?,并提供自動配置的測試環(huán)境。
import org.junit.runner.RunWith;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringRunner;
@RunWith(SpringRunner.class)
@SpringBootTest
public class UserControllerTest {
// ...
}
使用@Autowired
注解注入你需要測試的控制器、服務(wù)或其他組件。
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.servlet.WebMvcTest;
import org.springframework.test.web.servlet.MockMvc;
@RunWith(SpringRunner.class)
@SpringBootTest
@WebMvcTest(UserController.class)
public class UserControllerTest {
@Autowired
private MockMvc mockMvc;
@Autowired
private UserController userController;
// ...
}
使用mockMvc
對象發(fā)送HTTP請求,并使用斷言驗(yàn)證返回的結(jié)果是否符合預(yù)期。
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.*;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.*;
// ...
public class UserControllerTest {
// ...
@Test
public void testGetUser() throws Exception {
mockMvc.perform(get("/users/{id}", 1))
.andExpect(status().isOk())
.andExpect(jsonPath("$.id").value(1))
.andExpect(jsonPath("$.name").value("John Doe"));
}
@Test
public void testCreateUser() throws Exception {
String json = "{\"name\":\"Jane Doe\", \"email\":\"jane.doe@example.com\"}";
mockMvc.perform(post("/users")
.contentType(MediaType.APPLICATION_JSON)
.content(json))
.andExpect(status().isCreated())
.andExpect(header().string("Location", containsString("/users/")));
}
// ...
}
使用IDE或Maven命令行工具運(yùn)行測試。例如,在命令行中輸入以下命令:
mvn test
這將運(yùn)行你的測試并報(bào)告結(jié)果。如果所有測試都通過,那么你的endpoints應(yīng)該按預(yù)期工作。如果有任何失敗的測試,請檢查代碼以找到問題所在,并進(jìn)行修復(fù)。