接收图像作为多部分文件以休息服务

时间:2015-11-09 10:49:38

标签: java json rest resteasy rest-client

我正在公开一个安静的网络服务,我希望在 json正文请求中接受图像作为多部分文件我找不到任何地方的样本json请求,以便从其他客户端点击我的休息服务.my rest服务在类声明@Consumes上使用此字段({MediaType.APPLICATION_JSON,MediaType.MULTIPART_FORM_DATA}) 谁能请我给我一个样本json请求

1 个答案:

答案 0 :(得分:3)

multipart/form-data的目的是在一个请求中发送多个部分。部件可以具有不同的介质类型。所以你不应该混合使用json和图像,而是添加两个部分:

POST /some-resource HTTP/1.1
Content-Type: multipart/form-data; boundary=AaB03x

--AaB03x
Content-Disposition: form-data; name="json"
Content-Type: application/json

{ "foo": "bar" }

--AaB03x--
Content-Disposition: form-data; name="image"; filename="image.jpg"
Content-Type: application/octet-stream

... content of image.jpg ...

--AaB03x--

使用RESTeasy客户端框架,您可以像这样创建此请求:

WebTarget target = ClientBuilder.newClient().target("some/url");
MultipartFormDataOutput formData = new MultipartFormDataOutput();
Map<String, Object> json = new HashMap<>();
json.put("foo", "bar");
formData.addFormData("json", json, MediaType.APPLICATION_JSON_TYPE);
FileInputStream fis = new FileInputStream(new File("/path/to/image"));
formData.addFormData("image", fis, MediaType.APPLICATION_OCTET_STREAM_TYPE);
Entity<MultipartFormDataOutput> entity = Entity.entity(formData, MediaType.MULTIPART_FORM_DATA);
Response response = target.request().post(entity);

可以这样设计:

@POST
@Consumes(MediaType.MULTIPART_FORM_DATA)
public Response upload(MultipartFormDataInput input) throws Exception {
    Map<String, Object> json = input.getFormDataPart("json", new GenericType<Map<String, Object>>() {});
    InputStream image = input.getFormDataPart("image", new GenericType<InputStream>() {});
    return Response.ok().build();
}