Я уже некоторое время пытаюсь проверить конечные точки контроллера REST, используя MockMvc
, Mockito
с Cucumber
.
Моя цель состоит в том, чтобы протестировать мой уровень обслуживания без фактической реализации. (Поэтому я не хочу, чтобы данные появлялись в базе данных)
Я хочу избегать использования баз данных "в памяти", так как я работаю с крупномасштабным проектом.
Недавно у меня это работало, без насмешек, но так как я пытался издеваться над своими тестами, я получал NestedServletException: Request processing failed; nested exception is java.lang.NullPointerException
AddressController
сниппет
@Autowired
private AddressManager addressManager;
@GetMapping(value = "/{id}")
public ResponseEntity<Object> getAddress(@PathVariable("id") Long addressId) {
return new ResponseEntity<>(addressManager.getAddress(addressId), HttpStatus.OK);
// getAddress calls a data manager layer which then calls addressRepo.findOneById(addressId);
}
@PostMapping(value = "/add")
public ResponseEntity<Object> addAddress(@RequestBody Address address) {
return new ResponseEntity<>(addressManager.addAddress(address), HttpStatus.OK);
// addAddress calls a data manager layer which then calls addressRepo.save(address);
}
AddressStepDefs
фрагмент
@RunWith(MockitoJUnitRunner.class)
@SpringBootTest(webEnvironment= WebEnvironment.MOCK)
@Transactional
@AutoConfigureMockMvc
public class AddressStepDefs {
private MockMvc mockMvc;
private ResultActions result; // allows to track result
@InjectMocks
private AddressController addressController;
@Mock
private AddressDataManager addressService;
// given step
@Before
public void setup() throws IOException {
// must be called for the @Mock annotations to be processed and for the mock service to be injected
// into the controller under test.
MockitoAnnotations.initMocks(this);
this.mockMvc = MockMvcBuilders.standaloneSetup(new AddressController()).build();
}
@When("I add a new Address using POST at {string} with JSON:")
public void i_add_a_new_Address_using_POST_at_with_JSON(String request, String json) throws Exception {
/** Build a POST request using mockMvc **/
result = this.mockMvc.perform(post(request).contentType(MediaType.APPLICATION_JSON)
.content(json.getBytes()).characterEncoding("utf-8"));
}
@Then("the response code should be OK {int} and the resulting json should be:")
public void the_response_code_should_be_OK_and_the_resulting_json_should_be(Integer responseCode,
String json) throws Exception {
result.andExpect(status().is(responseCode));
result.andExpect(content().string(json));
}
@When("I request to view an Address with id {int} at {string}")
public void i_request_to_view_an_Address_with_id_at(Integer id, String request) throws Exception {
/** Build a GET request **/
result = this.mockMvc.perform(get(request + id).contentType(MediaType.APPLICATION_JSON));
}