OKHttp 在我尝试记录网络响应时引发非法状态异常

2022-09-01 21:34:27

我在我的OkHttp客户端上放置了以下拦截器:

httpClient.addInterceptor(new Interceptor() {
    @Override
    public Response intercept(Chain chain) throws IOException {
        Response response = chain.proceed(chain.request());
        Log.d("Response", response.body().string());
        return response;
    }
    });

但是,这在Retrofit 2中并不好。似乎您只能从响应中读取一次流,这可能是导致异常的原因。我认为改造是试图解析日志已经解析的流。那么,我如何获得响应?我目前正在尝试调试一个非常讨厌和奇怪的格式错误的json异常。

这是异常堆栈跟踪:

07 - 28 10: 58: 21.575 22401 - 22529 / REDACTED E / AndroidRuntime: FATAL EXCEPTION: OkHttp Dispatcher
    Process: REDACTED, PID: 22401
    java.lang.IllegalStateException: closed
    at okhttp3.internal.http.Http1xStream$FixedLengthSource.read(Http1xStream.java: 378)
    at okio.Buffer.writeAll(Buffer.java: 956)
    at okio.RealBufferedSource.readByteArray(RealBufferedSource.java: 92)
    at okhttp3.ResponseBody.bytes(ResponseBody.java: 83)
    at okhttp3.ResponseBody.string(ResponseBody.java: 109)
    at REDACTED.ServiceGenerator$2.intercept(ServiceGenerator.java: 90)
    at okhttp3.RealCall$ApplicationInterceptorChain.proceed(RealCall.java: 187)
    at REDACTED.ServiceGenerator$2.intercept(ServiceGenerator.java: 89)
    at okhttp3.RealCall$ApplicationInterceptorChain.proceed(RealCall.java: 187)
    at REDACTED.ServiceGenerator$2.intercept(ServiceGenerator.java: 89)
    at okhttp3.RealCall$ApplicationInterceptorChain.proceed(RealCall.java: 187)
    at REDACTED.ServiceGenerator$2.intercept(ServiceGenerator.java: 89)
    at okhttp3.RealCall$ApplicationInterceptorChain.proceed(RealCall.java: 187)
    at okhttp3.RealCall.getResponseWithInterceptorChain(RealCall.java: 160)
    at okhttp3.RealCall.access$100(RealCall.java: 30)
    at okhttp3.RealCall$AsyncCall.execute(RealCall.java: 127)
    at okhttp3.internal.NamedRunnable.run(NamedRunnable.java: 32)
    at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java: 1112)
    at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java: 587)
    at java.lang.Thread.run(Thread.java: 841)

我看到堆栈中有多个拦截器,但我只显式添加一个拦截器,这是引发异常的on。


答案 1

您正在侦听器中使用响应正文,因此您将需要创建一个新响应:

@Override public Response intercept(Chain chain) throws IOException {
  Response response = chain.proceed(chain.request());
  ResponseBody body = response.body();
  String bodyString = body.string();
  MediaType contentType = body.contentType();
  Log.d("Response", bodyString);
  return response.newBuilder().body(ResponseBody.create(contentType, bodyString)).build();
}

您可能还想在 OkHttp 的存储库中签出日志记录拦截器:https://github.com/square/okhttp/tree/master/okhttp-logging-interceptor


答案 2

不要多次调用响应正文,因为它作为流读取,而不是存储在内存中。

也许你不止一次调用responser.body().string(),因为响应体可能很大,所以OkHttp不会将其存储在内存中,它会在您需要时将其作为来自网络的流读取。

当您将 body 作为 string() 读取时 OkHttp 会下载响应正文并将其返回给您而不保留对字符串的引用,如果没有新的请求,则无法下载两次。

https://github.com/square/okhttp/issues/1240


推荐