2

我正在从多个 RESTful Web 服务方法中检索值。在这种情况下,由于请求方法的问题,两种方法相互干扰。

@GET
@Path("/person/{name}")
@Produces("application/xml")
public Person getPerson(@PathParam("name") String name) {
    System.out.println("@GET /person/" + name);
    return people.byName(name);
}

@POST
@Path("/person")
@Consumes("application/xml")
public void createPerson(Person person) {
    System.out.println("@POST /person");
    System.out.println(person.getId() + ": " + person.getName());
    people.add(person);
}

当我尝试使用以下代码调用 createPerson() 方法时,我的 Glassfish 服务器将导致“@GET /person/ the name I'm trying to create a person on ”。这意味着调用了 @GET 方法,即使我没有发送 {name} 参数(如您在代码中所见)。

URL url = new URL("http://localhost:8080/RESTfulService/service/person");
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
connection.setRequestMethod("POST");
connection.setRequestProperty("Accept", "application/xml");
connection.setDoOutput(true);
marshaller.marshal(person, connection.getOutputStream());

我知道这要求对我的代码进行大量挖掘,但在这种情况下我做错了什么?

更新

因为createPerson 是一个void,所以我不处理connection.getInputStream()。这实际上似乎导致我的服务未处理该请求。

但是实际的请求是在 connection.getOutputStream() 上发送的,对吧?

更新 2

RequestMethod 确实有效,只要我处理带有返回值的方法,因此使用 connection.getOutputStream()。当我尝试调用 void 并因此不处理 connection.getOutputStream() 时,服务将不会收到任何请求。

4

1 回答 1

3

您应该设置“Content-Type”而不是“Accept”标头。Content-Type 指定发送给接收者的媒体类型,而 Accept 是关于客户端接受的媒体类型。有关标头的更多详细信息,请参见此处

这是Java客户端:

public static void main(String[] args) throws Exception {
    String data = "<?xml version=\"1.0\" encoding=\"UTF-8\" standalone=\"yes\"?><person><name>1234567</name></person>";
    URL url = new URL("http://localhost:8080/RESTfulService/service/person");
    HttpURLConnection connection = (HttpURLConnection) url.openConnection();
    connection.setRequestMethod("POST");
    connection.setRequestProperty("Content-Type", "application/xml");

    connection.setDoOutput(true);
    connection.setDoInput(true);        

    OutputStreamWriter wr = new OutputStreamWriter(connection.getOutputStream());
    wr.write(data);
    wr.flush();

    // Get the response
    BufferedReader rd = new BufferedReader(new InputStreamReader(connection.getInputStream()));
    wr.close();
    rd.close();

    connection.disconnect();
}

使用 curl 也是如此:

curl -X POST -d @person --header "Content-Type:application/xml" http://localhost:8080/RESTfulService/service/person

,其中“人”是包含 xml 的文件:

<?xml version="1.0" encoding="UTF-8" standalone="yes"?><person><name>1234567</name></person>
于 2012-06-06T01:17:08.790 回答