使用 MockMvc 和 Spring REST 文档时重新使用 Spring Boot ErrorAttributes
Re-use Spring Boot ErrorAttributes when using MockMvc and Spring REST Docs
我正在为抛出自定义异常(在我的例子中是 AuthenticationException
)的控制器编写测试,该异常用 @ResponseStatus(value = HttpStatus.BAD_REQUEST)
注释
使用 curl 调用抛出异常的端点工作正常,我得到了预期的结果,示例如下:
{
"timestamp": 1494185397677,
"status": 400,
"error": "Bad Request",
"exception": "com.example.exception.AuthenticationException",
"message": "These are not the credentials you are looking for",
"path": "/status/throw/2"
}
当我用使用 willThrow()
的 Mockito 编写测试时,我没有得到 Spring Boot 生成的任何输出,只有异常中注释的响应代码 class.
这是我的测试:
@Test
public void throwsShouldShowResponseBody() throws Exception {
given(this.service.getAccStatus())
.willThrow(AuthenticationException.class);
this.mvc.perform(get("/status/throw/2"))
.andExpect(status().isBadRequest())
.andDo(document("bad-credentials"));
}
看看类似的问题,这似乎是由于 MockMvc 没有遵循我认为的重定向造成的 Spring Boot 正在使用推送到 /error 但我的问题是我是否可以让这个工作所以我不必写 @ControllerAdvice
class 和 Spring Boot 已经提供的类似于 ErrorAttributes
的东西。我不想更改 Spring Boot 在出错时生成的输出。
谢谢 -
如您所述,记录 Spring 使用 MockMvc
时引导的错误响应有点棘手。这是因为 Spring Boot 将请求转发到映射到 /error
的错误控制器,而 MockMvc
默认情况下不处理转发。
记录错误响应的一种方法是使用适当配置的请求直接调用 /error
。有一个 example of this in one of Spring REST Docs' samples:
@Test
public void errorExample() throws Exception {
this.mockMvc
.perform(get("/error")
.requestAttr(RequestDispatcher.ERROR_STATUS_CODE, 400)
.requestAttr(RequestDispatcher.ERROR_REQUEST_URI, "/notes")
.requestAttr(RequestDispatcher.ERROR_MESSAGE, "The tag 'http://localhost:8080/tags/123' does not exist"))
.andExpect(status().isBadRequest())
.andExpect(jsonPath("error", is("Bad Request")))
.andExpect(jsonPath("timestamp", is(notNullValue())))
.andExpect(jsonPath("status", is(400)))
.andExpect(jsonPath("path", is(notNullValue())))
.andDo(this.documentationHandler.document(
responseFields(
fieldWithPath("error").description("The HTTP error that occurred, e.g. `Bad Request`"),
fieldWithPath("message").description("A description of the cause of the error"),
fieldWithPath("path").description("The path to which the request was made"),
fieldWithPath("status").description("The HTTP status code, e.g. `400`"),
fieldWithPath("timestamp").description("The time, in milliseconds, at which the error occurred"))));
}
然后 used in the resulting documentation 描述整个 API 中使用的错误响应格式。
package com.cts.skynews.springboot.controller;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.post;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.jsonPath;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringRunner;
import org.springframework.test.web.servlet.MockMvc;
import org.springframework.test.web.servlet.setup.MockMvcBuilders;
import org.springframework.web.context.WebApplicationContext;
@RunWith(SpringRunner.class)
@SpringBootTest
public class UserControllerTest {
private static final Logger LOGGER = LoggerFactory.getLogger(UserControllerTest.class);
@Autowired
private WebApplicationContext webApplicationContext;
private MockMvc mockMvc;
@Before
public void setup() {
mockMvc = MockMvcBuilders.webAppContextSetup(webApplicationContext).build();
}
@Test
public void addNewUser() throws Exception {
LOGGER.info("START : Inside Spring Boot addUser() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"kirasln@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"},"
+ "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.signedUp").value("true"));
LOGGER.info("END : Spring Boot addUser() method of UserController");
}
@Test
public void checkEmailExists() throws Exception {
LOGGER.info("START : Inside Spring Boot checkEmailExists() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"ravariakiran@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"},"
+ "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.emailExists").value("true"))
.andExpect(jsonPath("$.signedUp").value("false"));
LOGGER.info("END : Spring Boot checkEmailExists() method of UserController");
}
@Test
public void incorrectEmailFormat() throws Exception {
LOGGER.info("START : Inside Spring Boot incorrectEmailFormat() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"rgmail.com\"," + "\"password\":\"A123456\","
+ "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Email address is invalid"));
LOGGER.info("END : Spring Boot incorrectEmailFormat() method of UserController");
}
@Test
public void nullName() throws Exception {
LOGGER.info("START : Inside Spring Boot nullName() method of UserController");
String USER_DATA = "{\"email\":\"abcdefg@gmail.com\"," + "\"password\":\"A123456\"," + "\"status\":\"active\","
+ "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Name cannot be empty"));
LOGGER.info("END : Spring Boot nullName() method of UserController");
}
@Test
public void nullPassword() throws Exception {
LOGGER.info("START : Inside Spring Boot nullPassword() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\","
+ "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Password cannot be empty"));
LOGGER.info("END : Spring Boot nullPassword() method of UserController");
}
@Test
public void nullEmail() throws Exception {
LOGGER.info("START : Inside Spring Boot nullEmail() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"password\":\"A123456\"," + "\"status\":\"active\","
+ "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Email cannot be empty"));
LOGGER.info("END : Spring Boot nullEmail() method of UserController");
}
@Test
public void nullStatus() throws Exception {
LOGGER.info("START : Inside Spring Boot nullEmail() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\","
+ "\"password\":\"A123456\"," + "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Status cannot be empty"));
LOGGER.info("END : Spring Boot nullStatus() method of UserController");
}
@Test
public void langugaeNull() throws Exception {
LOGGER.info("START : Inside Spring Boot langugaeNull() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Language cannot be empty"));
LOGGER.info("END : Spring Boot langugaeNull() method of UserController");
}
@Test
public void roleNull() throws Exception {
LOGGER.info("START : Inside Spring Boot roleNull() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Role cannot be empty"));
LOGGER.info("END : Spring Boot roleNull() method of UserController");
}
@Test
public void invalidNameLength() throws Exception {
LOGGER.info("START : Inside Spring Boot invalidNameLength() method of UserController");
String USER_DATA = "{\"name\":\"KiranKiranRavariyKiranKiranRavariyaRRavariyaRavariyaRavariyaRavariyaRavariya "
+ "KiranKiranRavariyKiranKiranRavariyaRRavariyaRavariyaRavariyaRavariyaRavariya "
+ "KiranKiranRavariyKiranKiranRavariyaRRavariyaRavariyaRavariyaRavariyaRavariya\","
+ "\"email\":\"abcdefg@gmail.com\"," + "\"password\":\"A123456\"," + "\"status\":\"active\","
+ "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Name must be 3 to 80 characters"));
LOGGER.info("END : Spring Boot invalidNameLength() method of UserController");
}
@Test
public void invalidEmailLength() throws Exception {
LOGGER.info("START : Inside Spring Boot invalidEmailLength() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\","
+ "\"email\":\"ravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"},"
+ "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError()).andExpect(
jsonPath("$.errorMessage").value("Input Validation Failed:Email must be 4 to 80 characters"));
LOGGER.info("END : Spring Boot invalidEmailLength() method of UserController");
}
@Test
public void incorrectPasswordFormat() throws Exception {
LOGGER.info("START : Inside Spring Boot incorrectPasswordFormat() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\"," + "\"password\":\"12\","
+ "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError()).andExpect(jsonPath("$.errorMessage")
.value("Input Validation Failed:Password must be 6 to 45 characters"));
LOGGER.info("END : Spring Boot incorrectPasswordFormat() method of UserController");
}
@Test
public void successfullLogin() throws Exception {
LOGGER.info("START : Inside Spring Boot successfullLogin() method of UserController");
String USER_DATA = "{\"email\":\"kiran@gmail.com\",\"password\":\"A123456\"}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/login").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.authenticated").value("true"));
LOGGER.info("END : Spring Boot successfullLogin() method of UserController");
}
@Test
public void invalidEmailForLogin() throws Exception {
LOGGER.info("START : Inside Spring Boot invalidEmailForLogin() method of UserController");
String USER_DATA = "{\"email\":\"kiran123@gmail.com\",\"password\":\"A123456\"}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/login").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.authenticated").value("false"));
LOGGER.info("END : Spring Boot invalidEmailForLogin() method of UserController");
}
@Test
public void invalidPasswordForLogin() throws Exception {
LOGGER.info("START : Inside Spring Boot invalidPasswordForLogin() method of UserController");
String USER_DATA = "{\"email\":\"kiran@gmail.com\",\"password\":\"12345678\"}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/login").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.authenticated").value("false"));;
LOGGER.info("END : Spring Boot invalidPasswordForLogin() method of UserController");
}
}
我正在为抛出自定义异常(在我的例子中是 AuthenticationException
)的控制器编写测试,该异常用 @ResponseStatus(value = HttpStatus.BAD_REQUEST)
使用 curl 调用抛出异常的端点工作正常,我得到了预期的结果,示例如下:
{
"timestamp": 1494185397677,
"status": 400,
"error": "Bad Request",
"exception": "com.example.exception.AuthenticationException",
"message": "These are not the credentials you are looking for",
"path": "/status/throw/2"
}
当我用使用 willThrow()
的 Mockito 编写测试时,我没有得到 Spring Boot 生成的任何输出,只有异常中注释的响应代码 class.
这是我的测试:
@Test
public void throwsShouldShowResponseBody() throws Exception {
given(this.service.getAccStatus())
.willThrow(AuthenticationException.class);
this.mvc.perform(get("/status/throw/2"))
.andExpect(status().isBadRequest())
.andDo(document("bad-credentials"));
}
看看类似的问题,这似乎是由于 MockMvc 没有遵循我认为的重定向造成的 Spring Boot 正在使用推送到 /error 但我的问题是我是否可以让这个工作所以我不必写 @ControllerAdvice
class 和 Spring Boot 已经提供的类似于 ErrorAttributes
的东西。我不想更改 Spring Boot 在出错时生成的输出。
谢谢 -
如您所述,记录 Spring 使用 MockMvc
时引导的错误响应有点棘手。这是因为 Spring Boot 将请求转发到映射到 /error
的错误控制器,而 MockMvc
默认情况下不处理转发。
记录错误响应的一种方法是使用适当配置的请求直接调用 /error
。有一个 example of this in one of Spring REST Docs' samples:
@Test
public void errorExample() throws Exception {
this.mockMvc
.perform(get("/error")
.requestAttr(RequestDispatcher.ERROR_STATUS_CODE, 400)
.requestAttr(RequestDispatcher.ERROR_REQUEST_URI, "/notes")
.requestAttr(RequestDispatcher.ERROR_MESSAGE, "The tag 'http://localhost:8080/tags/123' does not exist"))
.andExpect(status().isBadRequest())
.andExpect(jsonPath("error", is("Bad Request")))
.andExpect(jsonPath("timestamp", is(notNullValue())))
.andExpect(jsonPath("status", is(400)))
.andExpect(jsonPath("path", is(notNullValue())))
.andDo(this.documentationHandler.document(
responseFields(
fieldWithPath("error").description("The HTTP error that occurred, e.g. `Bad Request`"),
fieldWithPath("message").description("A description of the cause of the error"),
fieldWithPath("path").description("The path to which the request was made"),
fieldWithPath("status").description("The HTTP status code, e.g. `400`"),
fieldWithPath("timestamp").description("The time, in milliseconds, at which the error occurred"))));
}
然后 used in the resulting documentation 描述整个 API 中使用的错误响应格式。
package com.cts.skynews.springboot.controller;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.post;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.jsonPath;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringRunner;
import org.springframework.test.web.servlet.MockMvc;
import org.springframework.test.web.servlet.setup.MockMvcBuilders;
import org.springframework.web.context.WebApplicationContext;
@RunWith(SpringRunner.class)
@SpringBootTest
public class UserControllerTest {
private static final Logger LOGGER = LoggerFactory.getLogger(UserControllerTest.class);
@Autowired
private WebApplicationContext webApplicationContext;
private MockMvc mockMvc;
@Before
public void setup() {
mockMvc = MockMvcBuilders.webAppContextSetup(webApplicationContext).build();
}
@Test
public void addNewUser() throws Exception {
LOGGER.info("START : Inside Spring Boot addUser() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"kirasln@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"},"
+ "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.signedUp").value("true"));
LOGGER.info("END : Spring Boot addUser() method of UserController");
}
@Test
public void checkEmailExists() throws Exception {
LOGGER.info("START : Inside Spring Boot checkEmailExists() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"ravariakiran@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"},"
+ "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.emailExists").value("true"))
.andExpect(jsonPath("$.signedUp").value("false"));
LOGGER.info("END : Spring Boot checkEmailExists() method of UserController");
}
@Test
public void incorrectEmailFormat() throws Exception {
LOGGER.info("START : Inside Spring Boot incorrectEmailFormat() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"rgmail.com\"," + "\"password\":\"A123456\","
+ "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Email address is invalid"));
LOGGER.info("END : Spring Boot incorrectEmailFormat() method of UserController");
}
@Test
public void nullName() throws Exception {
LOGGER.info("START : Inside Spring Boot nullName() method of UserController");
String USER_DATA = "{\"email\":\"abcdefg@gmail.com\"," + "\"password\":\"A123456\"," + "\"status\":\"active\","
+ "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Name cannot be empty"));
LOGGER.info("END : Spring Boot nullName() method of UserController");
}
@Test
public void nullPassword() throws Exception {
LOGGER.info("START : Inside Spring Boot nullPassword() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\","
+ "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Password cannot be empty"));
LOGGER.info("END : Spring Boot nullPassword() method of UserController");
}
@Test
public void nullEmail() throws Exception {
LOGGER.info("START : Inside Spring Boot nullEmail() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"password\":\"A123456\"," + "\"status\":\"active\","
+ "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Email cannot be empty"));
LOGGER.info("END : Spring Boot nullEmail() method of UserController");
}
@Test
public void nullStatus() throws Exception {
LOGGER.info("START : Inside Spring Boot nullEmail() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\","
+ "\"password\":\"A123456\"," + "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Status cannot be empty"));
LOGGER.info("END : Spring Boot nullStatus() method of UserController");
}
@Test
public void langugaeNull() throws Exception {
LOGGER.info("START : Inside Spring Boot langugaeNull() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Language cannot be empty"));
LOGGER.info("END : Spring Boot langugaeNull() method of UserController");
}
@Test
public void roleNull() throws Exception {
LOGGER.info("START : Inside Spring Boot roleNull() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Role cannot be empty"));
LOGGER.info("END : Spring Boot roleNull() method of UserController");
}
@Test
public void invalidNameLength() throws Exception {
LOGGER.info("START : Inside Spring Boot invalidNameLength() method of UserController");
String USER_DATA = "{\"name\":\"KiranKiranRavariyKiranKiranRavariyaRRavariyaRavariyaRavariyaRavariyaRavariya "
+ "KiranKiranRavariyKiranKiranRavariyaRRavariyaRavariyaRavariyaRavariyaRavariya "
+ "KiranKiranRavariyKiranKiranRavariyaRRavariyaRavariyaRavariyaRavariyaRavariya\","
+ "\"email\":\"abcdefg@gmail.com\"," + "\"password\":\"A123456\"," + "\"status\":\"active\","
+ "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError())
.andExpect(jsonPath("$.errorMessage").value("Input Validation Failed:Name must be 3 to 80 characters"));
LOGGER.info("END : Spring Boot invalidNameLength() method of UserController");
}
@Test
public void invalidEmailLength() throws Exception {
LOGGER.info("START : Inside Spring Boot invalidEmailLength() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\","
+ "\"email\":\"ravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmailravariakiran@gmail.com\","
+ "\"password\":\"A123456\"," + "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"},"
+ "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError()).andExpect(
jsonPath("$.errorMessage").value("Input Validation Failed:Email must be 4 to 80 characters"));
LOGGER.info("END : Spring Boot invalidEmailLength() method of UserController");
}
@Test
public void incorrectPasswordFormat() throws Exception {
LOGGER.info("START : Inside Spring Boot incorrectPasswordFormat() method of UserController");
String USER_DATA = "{\"name\":\"Kiran Ravariya\"," + "\"email\":\"abcdefg@gmail.com\"," + "\"password\":\"12\","
+ "\"status\":\"active\"," + "\"language\":{\"id\":\"1\"}," + "\"role\":{\"id\":1}}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/signup").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().is4xxClientError()).andExpect(jsonPath("$.errorMessage")
.value("Input Validation Failed:Password must be 6 to 45 characters"));
LOGGER.info("END : Spring Boot incorrectPasswordFormat() method of UserController");
}
@Test
public void successfullLogin() throws Exception {
LOGGER.info("START : Inside Spring Boot successfullLogin() method of UserController");
String USER_DATA = "{\"email\":\"kiran@gmail.com\",\"password\":\"A123456\"}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/login").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.authenticated").value("true"));
LOGGER.info("END : Spring Boot successfullLogin() method of UserController");
}
@Test
public void invalidEmailForLogin() throws Exception {
LOGGER.info("START : Inside Spring Boot invalidEmailForLogin() method of UserController");
String USER_DATA = "{\"email\":\"kiran123@gmail.com\",\"password\":\"A123456\"}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/login").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.authenticated").value("false"));
LOGGER.info("END : Spring Boot invalidEmailForLogin() method of UserController");
}
@Test
public void invalidPasswordForLogin() throws Exception {
LOGGER.info("START : Inside Spring Boot invalidPasswordForLogin() method of UserController");
String USER_DATA = "{\"email\":\"kiran@gmail.com\",\"password\":\"12345678\"}";
LOGGER.debug("JSON Object : {}", USER_DATA);
mockMvc.perform(post("/user/login").content(USER_DATA).contentType("application/json;charset=UTF-8"))
.andExpect(status().isOk()).andExpect(jsonPath("$.authenticated").value("false"));;
LOGGER.info("END : Spring Boot invalidPasswordForLogin() method of UserController");
}
}