4

你有一个 Resteasy webservice 方法,它以 MultipartFormDataInput 对象作为参数,并从中提取大量信息。我想为此方法编写一个 jUnit 测试,但我一直无法找到任何方法来创建此对象并将虚拟数据放入其中,因此我可以直接调用我的 webservice 方法。服务方法从这样的表单中提取数据......

@POST
@Path("/requestDeviceCode")
@Produces({ MediaType.APPLICATION_XML, MediaType.APPLICATION_JSON })
@Consumes("multipart/form-data")
public DeviceCodeModel requestDeviceCode(final MultipartFormDataInput inputMultipart) {

    // process the form data - only field in the form is the token
    Map<String, List<InputPart>> formData = null; // we'll put the form data in here
    formData = inputMultipart.getFormDataMap();

    String token = null;
    try {
        token = formData.get("Token").get(0).getBodyAsString();
        this._logger.debug("Pulled encrypted token out of input form, it's " + token);

这很好用,但试图创建一个对象作为参数传递给“requestDeviceCode”让我受阻。我已经尝试过这种变化......

        // create a multipartForm (input to the service POST) and add the "token" string to it
        MultipartFormDataOutput newForm = new MultipartFormDataOutput();
        newForm.addFormData("Token", encryptedXMLString, MediaType.APPLICATION_XML_TYPE);

        _service.requestDeviceCode((MultipartFormDataInput) newForm);

但它只是没有这样做(这个特殊的错误是我无法将输出表单转换为输入表单)。我一直无法找到一种方法来创建新的 MultiPartFormDataInput 并向其中添加数据。

有人有建议吗?

4

2 回答 2

3

在尝试对接受 MultipartFormDataInput 的 RestEasy WebService 方法进行单元测试时,我偶然发现了一个类似的问题。

您可以做的是模拟MultipartFormDataInput以针对您期望接收的每个表单参数返回带有模拟InputPart的准备好的地图。

可能的解决方案(使用 JUnit/Mockito):

@Test
public void testService() {
    // given
    MultipartFormDataInput newForm = mock(MultipartFormDataInput.class);
    InputPart token = mock(InputPart.class);

    Map<String, List<InputPart>> paramsMap = new HashMap<>();
    paramsMap.put("Token", Arrays.asList(token));        

    when(newForm.getFormDataMap()).thenReturn(paramsMap);
    when(token.getBodyAsString()).thenReturn("expected token param body");
    // when
    DeviceCodeModel actual = _service.requestDeviceCode(newForm);
    // then
    // verifications and assertions go here
}
于 2015-03-06T20:27:44.130 回答
0

做一个集成测试怎么样?
启动测试中嵌入的 jetty 或 Tomcat 并让它运行您的 REST 服务。作为 HTTP 客户端,我将使用 Apache HttpComponents 客户端,请参阅示例页面上的教程和 MultiPart 客户端示例。

于 2013-02-21T18:41:31.997 回答