간단한 통합 테스트가 있습니다
@Test
public void shouldReturnErrorMessageToAdminWhenCreatingUserWithUsedUserName() throws Exception {
mockMvc.perform(post("/api/users").header("Authorization", base64ForTestUser).contentType(MediaType.APPLICATION_JSON)
.content("{\"userName\":\"testUserDetails\",\"firstName\":\"xxx\",\"lastName\":\"xxx\",\"password\":\"xxx\"}"))
.andDo(print())
.andExpect(status().isBadRequest())
.andExpect(?);
}
마지막 줄에서 응답 본문에 수신 된 문자열을 예상 문자열과 비교하고 싶습니다.
그리고 이에 대한 응답으로 다음을 얻습니다.
MockHttpServletResponse:
Status = 400
Error message = null
Headers = {Content-Type=[application/json]}
Content type = application/json
Body = "Username already taken"
Forwarded URL = null
Redirected URL = null
content (), body ()로 몇 가지 트릭을 시도했지만 아무것도 작동하지 않았습니다.
답변
andReturn()
반환 된 MvcResult
객체를 호출 하고 사용 하여 콘텐츠를로 가져올 수 있습니다 String
.
아래를보십시오 :
MvcResult result = mockMvc.perform(post("/api/users").header("Authorization", base64ForTestUser).contentType(MediaType.APPLICATION_JSON)
.content("{\"userName\":\"testUserDetails\",\"firstName\":\"xxx\",\"lastName\":\"xxx\",\"password\":\"xxx\"}"))
.andDo(MockMvcResultHandlers.print())
.andExpect(status().isBadRequest())
.andReturn();
String content = result.getResponse().getContentAsString();
// do what you will
답변
@Sotirios Delimanolis는 대답을하지만이 mockMvc 어설 션 내에서 문자열을 비교하려고했습니다.
그래서 여기 있습니다
.andExpect(content().string("\"Username already taken - please try with different username\""));
물론 내 주장은 실패합니다.
java.lang.AssertionError: Response content expected:
<"Username already taken - please try with different username"> but was:<"Something gone wrong">
때문에:
MockHttpServletResponse:
Body = "Something gone wrong"
이것이 작동한다는 증거입니다!
답변
Spring MockMvc는 이제 JSON을 직접 지원합니다. 그래서 당신은 단지 말합니다 :
.andExpect(content().json("{'message':'ok'}"));
문자열 비교와 달리 “missing field xyz”또는 “message Expected ‘ok’got ‘nok’와 같은 메시지가 표시됩니다.
이 방법은 Spring 4.1에서 도입되었습니다.
답변
이 답변을 읽으면 Spring 버전 4.x와 관련된 많은 것을 볼 수 있습니다. 여러 가지 이유로 버전 3.2.0을 사용하고 있습니다. 따라서 json과 같은 것은 바로 지원할 content()
수 없습니다.
나는 사용 MockMvcResultMatchers.jsonPath
이 정말 쉽고 치료법 이라는 것을 알았습니다 . 다음은 post 메소드를 테스트하는 예제입니다.
이 솔루션의 장점은 전체 json 문자열 비교에 의존하지 않고 속성에 여전히 일치한다는 것입니다.
(사용 org.springframework.test.web.servlet.result.MockMvcResultMatchers
)
String expectedData = "some value";
mockMvc.perform(post("/endPoint")
.contentType(MediaType.APPLICATION_JSON)
.content(mockRequestBodyAsString.getBytes()))
.andExpect(status().isOk())
.andExpect(MockMvcResultMatchers.jsonPath("$.data").value(expectedData));
요청 본문은 json 문자열 일 뿐이므로 원하는 경우 실제 json mock 데이터 파일에서 쉽게로드 할 수 있지만 질문에서 벗어난 것처럼 여기에 포함시키지 않았습니다.
반환 된 실제 json은 다음과 같습니다.
{
"data":"some value"
}
답변
봄의 튜토리얼 에서 가져온
mockMvc.perform(get("/" + userName + "/bookmarks/"
+ this.bookmarkList.get(0).getId()))
.andExpect(status().isOk())
.andExpect(content().contentType(contentType))
.andExpect(jsonPath("$.id", is(this.bookmarkList.get(0).getId().intValue())))
.andExpect(jsonPath("$.uri", is("http://bookmark.com/1/" + userName)))
.andExpect(jsonPath("$.description", is("A description")));
is
에서 사용할 수 있습니다 import static org.hamcrest.Matchers.*;
jsonPath
에서 사용할 수 있습니다 import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.jsonPath;
및 jsonPath
참조를 찾을 수 있습니다 여기에
답변
스프링 시큐리티 @WithMockUser
와 hamcrest의 containsString
matcher는 간단하고 우아한 솔루션을 만듭니다.
@Test
@WithMockUser(roles = "USER")
public void loginWithRoleUserThenExpectUserSpecificContent() throws Exception {
mockMvc.perform(get("/index"))
.andExpect(status().isOk())
.andExpect(content().string(containsString("This content is only shown to users.")));
}
답변
다음은 JSON 응답을 구문 분석하는 방법과 JSON 형식의 Bean으로 요청을 보내는 방법에 대한 예입니다.
@Autowired
protected MockMvc mvc;
private static final ObjectMapper MAPPER = new ObjectMapper()
.configure(SerializationFeature.WRITE_DATES_AS_TIMESTAMPS, false)
.configure(DeserializationFeature.FAIL_ON_UNKNOWN_PROPERTIES, false)
.registerModule(new JavaTimeModule());
public static String requestBody(Object request) {
try {
return MAPPER.writeValueAsString(request);
} catch (JsonProcessingException e) {
throw new RuntimeException(e);
}
}
public static <T> T parseResponse(MvcResult result, Class<T> responseClass) {
try {
String contentAsString = result.getResponse().getContentAsString();
return MAPPER.readValue(contentAsString, responseClass);
} catch (IOException e) {
throw new RuntimeException(e);
}
}
@Test
public void testUpdate() {
Book book = new Book();
book.setTitle("1984");
book.setAuthor("Orwell");
MvcResult requestResult = mvc.perform(post("http://example.com/book/")
.contentType(MediaType.APPLICATION_JSON)
.content(requestBody(book)))
.andExpect(status().isOk())
.andReturn();
UpdateBookResponse updateBookResponse = parseResponse(requestResult, UpdateBookResponse.class);
assertEquals("1984", updateBookResponse.getTitle());
assertEquals("Orwell", updateBookResponse.getAuthor());
}
여기에서 볼 수 있듯이 Book
요청 DTO이며 UpdateBookResponse
JSON에서 구문 분석 된 응답 객체입니다. Jakson의 ObjectMapper
구성 을 변경할 수 있습니다 .