使用MockMvc测试控制器时获取空指针



单元测试控制器时,我得到一个空指针。当调用模拟服务以获取id时,控制器中会出现空指针。我尝试了很多方法,但仍然收到相同的错误。

以下是出现空指针的控制器代码片段:

@RestController
@RequestMapping(ELEMENTS_BASE_URI)
@EnableCommonRestHeaders
public class ElementController {
@Autowired
private ElementService elementService;
...
public ResponseEntity<ElementDto> createElement(
@Valid @RequestBody ElementDto elementDto) {
ElementDto saved = elementService.createElement(elementDto);
HttpHeaders headers = new HttpHeaders();
URI location = UriBuilder.builder(ELEMENT_LINK_URI)
.pathVariable(ELEMENT_ID, saved.getId())
.create();
headers.setLocation(location);
return new ResponseEntity<>(saved, headers, HttpStatus.CREATED);
}
...
}

在上面的控制器代码中,空指针出现在下面的行:保存的为空

ElementDto saved = elementService.createElement(elementDto);

测试代码如下:

import static com.sas.fcs.networkbuild.util.matchers.JSONContentResultMatcher.jsonObject;
import static com.sas.fcs.networkbuild.util.matchers.JSONContentResultMatcher.jsonPath;
@RunWith(SpringJUnit4ClassRunner.class)
@WebMvcTest(controllers = ElementController.class, excludeAutoConfiguration = MockMvcSecurityAutoConfiguration.class)
@ActiveProfiles(value = {"test", "hsql", "disable-oauth2"})
@TestPropertySource("classpath:/test.properties")
public class ElementControllerTest {

@MockBean
private ElementService elementService;
@Autowired
ElementController elementController;
@Autowired
private MockMvc mockMvc;
@Autowired
private ObjectMapper mapper;
@Before
public void setUp() {
mockMvc = MockMvcBuilders
.standaloneSetup(elementController)
.build();
}
@Test
public void testCreateElementSuccess() throws Exception {
ElementDto element = new ElementDto();
element.setName("firstname");
element.setModifiedTimeStamp(new Date());
ElementDto createdElement = new ElementDto();
String elementId = "123";
createdElement.setId(elementId);
createdElement.setName("firstname");
createdElement.setLabel("firstname");
createdElement.setAttribute(true);
createdElement.setKeep(true);

when(elementService.create(element)).thenReturn(createdElement);
// make sure returns location with new element id
mockMvc.perform(
post(ServiceConstants.ELEMENTS_BASE_URI)
.content(mapper.writeValueAsBytes(element))
.accept(ElementDto.MEDIA_TYPE_JSON_VALUE)
.contentType(ElementDto.MEDIA_TYPE_JSON_VALUE))
.andExpect(status().isCreated())
.andExpect(header().string("Location",
Matchers.endsWith(ServiceConstants.SERVICE_URI + ServiceConstants.ELEMENTS_BASE_URI + "/" + elementId)))
.andExpect(header().string("Last-Modified", not(isEmptyString())))
.andExpect(jsonObject().is(createdElement))
.andExpect(jsonPath("name").value(element.getName()))
.andReturn();
}
}

线路:

when(elementService.create(element)).thenReturn(createdElement);

似乎没有任何效果。非常感谢在这方面的任何帮助。

谨致问候,Firas

这个问题的原因是我犯了一个错误。函数是createElement,而when/any正在引用create函数。

我改了:

when(elementService.create(eq(element))).thenReturn(createdElement);

至:

when(elementService.createElement(eq(element))).thenReturn(createdElement);

其余的代码和符号都是正确的。

最新更新