10

我有一个工作的 json 服务,看起来像这样:

@POST
@Path("/{id}/query")
@Consumes(MediaType.APPLICATION_JSON)
@Produces(JSON)
public ListWrapper query(@Context SecurityContext sc, @PathParam("id") Integer projectId, Query searchQuery) {
    ...
    return result
}

查询对象看起来像这样,当发布该查询对象的 json 表示时,效果很好。

@XmlRootElement
public class Query {
    Integer id;
    String query;
    ... // Getters and Setters etc..
}

现在我想从客户端填充该对象并使用 Jersey 客户端将该 Query 对象发布到服务并获得 JSONObject 作为结果。我的理解是,它可以在不先将其转换为 json 对象然后作为字符串发布的情况下完成。

我尝试过这样的事情,但我想我错过了一些东西。

public static JSONObject query(Query searchQuery){
    String url = baseUrl + "project/"+searchQuery.getProjectId() +"/query";
    WebResource webResource = client.resource(url);
    webResource.entity(searchQuery, MediaType.APPLICATION_JSON_TYPE);
    JSONObject response = webResource.post(JSONObject.class);
    return response;
}

我正在使用泽西岛 1.12。

任何正确方向的帮助或指示将不胜感激。

4

2 回答 2

6

WebResource.entity(...) 方法不会更改您的 webResource 实例...它创建并返回一个包含更改的 Builder 对象。您对 .post 的调用通常是从 Builder 对象而不是从 WebResource 对象执行的。当所有请求都链接在一起时,这种转换很容易被掩盖。

public void sendExample(Example example) {
    WebResource webResource = this.client.resource(this.url);
    Builder builder = webResource.type(MediaType.APPLICATION_JSON);
    builder.accept(MediaType.APPLICATION_JSON);
    builder.post(Example.class, example);
    return;
}

这是使用链接的相同示例。它仍在使用 Builder,但不太明显。

public void sendExample(Example example) {
    WebResource webResource = this.client.resource(this.url);
    webResource.type(MediaType.APPLICATION_JSON)
      .accept(MediaType.APPLICATION_JSON)
      .post(Example.class, example);
    return;
}
于 2012-04-26T15:58:12.820 回答
4

如果您的 Web 服务生成 JSON,您必须使用以下accept()方法在客户端中处理它:

ClientResponse response = webResource.accept(MediaType.APPLICATION_JSON).post(searchQuery, MediaType.APPLICATION_JSON);
ListWrapper listWrapper = response.getEntity(ListWrapper.class);

试试这个并给出你的结果。

于 2012-04-26T14:41:41.140 回答