0

我有一个 Jersey REST 服务,当我curl从命令行访问时,它会给我预期的结果:

$ curl -i -X OPTIONS http://localhost:7001/path/to/my/resource
HTTP/1.1 402 Payment Required
Date: Mon, 07 Aug 2017 01:03:24 GMT
...
$

由此,我收集到我的 REST 服务已正确实现。

但是当我尝试从 Java 客户端调用它时,我得到了一个200/OK

public class Main3 {
    public static void main(String[] args) throws Exception {
        URL url = new URL("http://localhost:7001/path/to/my/resource");
        HttpURLConnection conn = null;

        try {
            conn = (HttpURLConnection) url.openConnection();

            conn.setRequestMethod("OPTIONS");
            int response = conn.getResponseCode();
            System.out.println(response);
        } finally {
            if (conn != null) {
                conn.disconnect();
            }
        }
    }
}

我单步执行服务器代码,请求到达服务器中的 Jersey 代码,但在那之后,它以某种方式返回200/OK而没有调用我的资源。我在这里做错了什么?

通过调试服务器,我知道在org.glassfish.jersey.server.ServerRuntime#process方法中,Endpoint选择的是org.glassfish.jersey.server.wadl.processor.OptionsMethodProcessor.GenericOptionsInflector. 这总是返回200/OK。为什么我的资源的方法被注释为@OPTIONSnot selected 而不是?

4

1 回答 1

0

事实证明,问题在于客户端代码没有设置Acccept标题,因此获得了默认的Accept:text/html, image/gif, image/jpeg, *; q=.2, */*; q=.2. curl而是把标题Accept:*/*。Jersey 将curl调用路由到我的资源,因为它接受任何响应,但我的资源没有@Produces(..)我的 Java 客户端代码接受的注释之一。

解决方法是添加以下行:

conn.setRequestProperty("Accept", "*/*");

在客户端代码中。

于 2017-08-07T23:43:53.287 回答