4

我正在使用新java.net.http类来处理异步 HTTP 请求+响应交换,并且我正在尝试找到一种方法让 BodySubscriber 处理不同的编码类型,例如 gzip。

但是,映射 aBodySubsriber<InputStream>以便底层流被 a 包装GZIPInputStream(当在响应标头中找到“Content-Encoding: gzip”时)会导致挂起。没有例外,只是完全停止活动。

映射的代码BodySubscriber如下所示:

private HttpResponse.BodySubscriber<InputStream> gzippedBodySubscriber(
        HttpResponse.ResponseInfo responseInfo) {
    return HttpResponse.BodySubscribers.mapping(
            HttpResponse.BodySubscribers.ofInputStream(),
            this::decodeGzipStream);
}

private InputStream decodeGzipStream(InputStream gzippedStream) {
    System.out.println("Entered decodeGzipStream method.");
    try {
        InputStream decodedStream = new GZIPInputStream(gzippedStream);
        System.out.println(
                "Created GZIPInputStream to handle response body stream.");
        return decodedStream;
    } catch (IOException ex) {
        System.out.println("IOException occurred while trying to create GZIPInputStream.");
        throw new UncheckedIOException(ex);
    }
}

接收具有“gzip”编码的 HTTP 响应会导致控制台显示以下内容:

进入 EncodedBodyHandler.apply 方法。
进入 decodeGzipStream 方法。

什么都没有看到,所以调用GZIPInputStream构造函数之后的行永远不会执行。

有谁知道为什么这种将 a 包裹在InputStreamaBodySubscriber<InputStream>中的尝试GZIPInputStream挂起?

注意:未编码(原始文本)HTTP 响应主体的等效方法只包含一个BodySubscribers.ofInputStream()没有映射的调用,这允许接收和显示响应而不会出现问题。

4

2 回答 2

4

这确实是一个错误。我已经记录了JDK-8217264。我可以建议两种解决方法:

解决方法一

不要使用BodySubscribers.mapping- 但在获取 HttpResponse 的正文后将其转换InputStream为:GZIPInputStream

GZIPInputStream gzin = new GZIPInputStream(resp.getBody());

解决方法二

让映射函数返回 a Supplier<InputStream>,注意不要创建GZIPInputStreamuntilSupplier::get被调用

static final class ISS implements Supplier<InputStream> {
    final InputStream in;
    GZIPInputStream gz;
    ISS(InputStream in) {
        this.in = in;
    }
    public synchronized InputStream get() {
        if (gz == null) {
            try {
                gz = new GZIPInputStream(in);
            } catch (IOException t) {
                throw new UncheckedIOException(t);
            }
        }
        return gz;
    }
}
于 2019-01-16T16:25:18.563 回答
1

遇到了完全相同的问题。我尝试了该BodySubscribers.mapping方法的Javadoc中的示例。同样的行为,应用程序挂起没有任何错误。

可能是一个错误,因为这是来自 Javadoc 的官方示例。

  public static <W> BodySubscriber<W> asJSON(Class<W> targetType) {
     BodySubscriber<InputStream> upstream = BodySubscribers.ofInputStream();

     BodySubscriber<W> downstream = BodySubscribers.mapping(
           upstream,
           (InputStream is) -> {
               try (InputStream stream = is) {
                   ObjectMapper objectMapper = new ObjectMapper();
                   return objectMapper.readValue(stream, targetType);
               } catch (IOException e) {
                   throw new UncheckedIOException(e);
               }
           });
    return downstream;
 } }
于 2019-01-11T18:25:53.900 回答