15

我正在尝试发布到需要使用以下代码设置 Content-Length 标头的 Web 服务:

// EDIT: added apache connector code
ClientConfig clientConfig = new ClientConfig();
ApacheConnector apache = new ApacheConnector(clientConfig);

// setup client to log requests and responses and their entities
client.register(new LoggingFilter(Logger.getLogger("com.example.app"), true));

Part part = new Part("123");
WebTarget target = client.target("https://api.thing.com/v1.0/thing/{thingId}");
Response jsonResponse = target.resolveTemplate("thingId", "abcdefg")
                .request(MediaType.APPLICATION_JSON)
                .header(HttpHeaders.AUTHORIZATION, "anauthcodehere")
                .post(Entity.json(part));

从发行说明https://java.net/jira/browse/JERSEY-1617和 Jersey 2.0 文档https://jersey.java.net/documentation/latest/message-body-workers.html它暗示 Content-长度是自动设置的。但是,我从服务器收到一个 411 响应代码,表明请求中不存在 Content-Length。

有谁知道设置 Content-Length 标头的最佳方法?

我已通过设置记录器验证请求中未生成 Content-Length 标头。

谢谢。

4

5 回答 5

5

我使用 Jersey Client 2.2 和 Netcat 进行了快速测试,它显示 Jersey 正在发送 Content-Length 标头,即使 LoggingFilter 没有报告它。

为了进行这个测试,我首先在一个 shell 中运行了 netcat。

nc -l 8090

然后我在另一个 shell 中执行了下面的 Jersey 代码。

Response response = ClientBuilder.newClient()
    .register(new LoggingFilter(Logger.getLogger("com.example.app"), true))
    .target("http://localhost:8090/test")
    .request()
    .post(Entity.json(IOUtils.toInputStream("{key:\"value\"}")));

运行此代码后,将记录以下行。

INFO: 1 * LoggingFilter - Request received on thread main
1 > POST http://localhost:8090/test
1 > Content-Type: application/json
{key:"value"}

但是,netcat 在消息中报告了更多的标头。

POST /test HTTP/1.1
Content-Type: application/json
User-Agent: Jersey/2.0 (HttpUrlConnection 1.7.0_17)
Host: localhost:8090
Accept: text/html, image/gif, image/jpeg, *; q=.2, */*; q=.2
Connection: keep-alive
Content-Length: 13

{key:"value"}

我在 OSX 上使用 Java6 和 Java7 运行了这个测试,结果相同。我还在 Jersey 2.0 中进行了测试,结果相似。

于 2013-08-26T00:57:12.793 回答
4

查看 ApacheConnector 类的源代码后,我发现了问题所在。当 ClientRequest 转换为 HttpUriRequest 时getHttpEntity(),将调用返回 HttpEntity 的私有方法。不幸的是,这会返回一个始终返回 -1 的 HttpEntity getContentLength()

当 Apache http 客户端创建请求时,它将咨询 HttpEntity 对象的长度,并且由于它返回 -1,因此不会Content-Length设置标头。

我通过创建一个新连接器解决了我的问题,该连接器是 ApacheConnector 源代码的副本,但具有不同的getHttpEntity(). 我将原始实体中的实体读ClientRequest入一个字节数组,然后用ByteArrayEntity. 当 Apache Http 客户端创建请求时,它将咨询实体,并ByteArrayEntity以正确的内容长度进行响应,从而允许设置Content-Length标头。

以下是相关代码:

private HttpEntity getHttpEntity(final ClientRequest clientRequest) {
    final Object entity = clientRequest.getEntity();

    if (entity == null) {
        return null;
    }

    byte[] content = getEntityContent(clientRequest);

    return new ByteArrayEntity(content);
}


private byte[] getEntityContent(final ClientRequest clientRequest) {

   // buffer into which entity will be serialized
   final ByteArrayOutputStream baos = new ByteArrayOutputStream();

   // set up a mock output stream to capture the output
   clientRequest.setStreamProvider(new OutboundMessageContext.StreamProvider() {

        @Override
        public OutputStream getOutputStream(int contentLength) throws IOException {
            return baos;
        }
    });

    try {
        clientRequest.writeEntity();
    } 
    catch (IOException e) {
        LOGGER.log(Level.SEVERE, null, e);
        // re-throw new exception
        throw new ProcessingException(e);
    }

    return baos.toByteArray();
}

警告:我的问题空间受到限制,并且仅包含小型实体主体作为请求的一部分。上面提出的这种方法可能对图像等大型实体有问题,所以我认为这不是所有人的通用解决方案。

于 2013-08-28T17:21:10.793 回答
4

我已经使用 Jersey 2.25.1 测试了一个更简单的解决方案,该解决方案包括在setChunkedEncodingEnabled(false)Jersey 客户端配置中进行设置。整个实体在内存中序列化,而不是使用分块编码,并在请求中设置 Content-Length。

作为参考,这是我使用的配置示例:

private Client createJerseyClient(Environment environment) {
    Logger logger = Logger.getLogger(getClass().getName());
    JerseyClientConfiguration clientConfig = new JerseyClientConfiguration();
    clientConfig.setProxyConfiguration(new ProxyConfiguration("localhost", 3333));
    clientConfig.setGzipEnabled(false);
    clientConfig.setGzipEnabledForRequests(false);
    clientConfig.setChunkedEncodingEnabled(false);
    return new JerseyClientBuilder(environment)
            .using(clientConfig)
            .build("RestClient")
            .register(new LoggingFeature(logger, Level.INFO, null, null));
}

我已经使用mitmproxy来验证请求标头并且Content-Length标头设置正确。

于 2017-07-07T14:07:50.233 回答
3

Jersey 2.5 ( https://java.net/jira/browse/JERSEY-2224 ) 支持此功能。您可以使用https://jersey.java.net/apidocs/latest/jersey/org/glassfish/jersey/client/RequestEntityProcessing.html#BUFFERED流式传输您的内容。我整理了一个简单的示例,显示了使用 ApacheConnector 的分块和缓冲内容。签出这个项目:https ://github.com/aruld/sof-18157218

public class EntityStreamingTest extends JerseyTest {

  private static final Logger LOGGER = Logger.getLogger(EntityStreamingTest.class.getName());

  @Path("/test")
  public static class HttpMethodResource {
    @POST
    @Path("chunked")
    public String postChunked(@HeaderParam("Transfer-Encoding") String transferEncoding, String entity) {
      assertEquals("POST", entity);
      assertEquals("chunked", transferEncoding);
      return entity;
    }

    @POST
    public String postBuffering(@HeaderParam("Content-Length") String contentLength, String entity) {
      assertEquals("POST", entity);
      assertEquals(entity.length(), Integer.parseInt(contentLength));
      return entity;
    }
  }

  @Override
  protected Application configure() {
    ResourceConfig config = new ResourceConfig(HttpMethodResource.class);
    config.register(new LoggingFilter(LOGGER, true));
    return config;
  }

  @Override
  protected void configureClient(ClientConfig config) {
    config.connectorProvider(new ApacheConnectorProvider());
  }

  @Test
  public void testPostChunked() {
    Response response = target().path("test/chunked").request().post(Entity.text("POST"));

    assertEquals(200, response.getStatus());
    assertTrue(response.hasEntity());
  }

  @Test
  public void testPostBuffering() {
    ClientConfig cc = new ClientConfig();
    cc.property(ClientProperties.REQUEST_ENTITY_PROCESSING, RequestEntityProcessing.BUFFERED);
    cc.connectorProvider(new ApacheConnectorProvider());
    JerseyClient client = JerseyClientBuilder.createClient(cc);
    WebTarget target = client.target(getBaseUri());
    Response response = target.path("test").request().post(Entity.text("POST"));

    assertEquals(200, response.getStatus());
    assertTrue(response.hasEntity());
  }
}
于 2014-02-09T00:56:18.110 回答
0
@Test
public void testForbiddenHeadersAllowed() {
    Client client = ClientBuilder.newClient();
    System.setProperty("sun.net.http.allowRestrictedHeaders", "true");

    Response response = testHeaders(client);
    System.out.println(response.readEntity(String.class));
    Assert.assertEquals(200, response.getStatus());
于 2020-04-30T12:13:41.940 回答