org.apache.http.ConnectionClosedException: Premature end of chunk coded message body: closing chunk expected

palkarrohan picture palkarrohan · Nov 10, 2015 · Viewed 22.3k times · Source

I am trying out RestAssured & wrote the following statements -

String URL = "http://XXXXXXXX";
Response result = given().
            header("Authorization","Basic xxxx").
            contentType("application/json").
            when().
            get(url);
JsonPath jp = new JsonPath(result.asString());

On the last statement, I am receiving the following exception :

org.apache.http.ConnectionClosedException: Premature end of chunk coded message body: closing chunk expected

The headers returned in my response are :

Content-Type → application/json; qs=1 Date → Tue, 10 Nov 2015 02:58:47 GMT Transfer-Encoding → chunked

Could anyone guide me on resolving this exception & point me out if I am missing anything or any in-correct implementation.

Answer

asherbar picture asherbar · Jul 31, 2019

I had a similar issue that wasn't related to , but this was the first result Google found so I'm posting my answer here, in case other's face the same issue.

For me, the problem was (as ConnectionClosedException clearly states) closing the connection before reading the response. Something along the lines of:

CloseableHttpClient httpclient = HttpClients.createDefault();
HttpGet httpget = new HttpGet("http://localhost/");
CloseableHttpResponse response = httpclient.execute(httpget);

try {
    doSomthing();
} finally {
    response.close();
}
HttpEntity entity = response.getEntity();
InputStream instream = entity.getContent(); // Response already closed. This won't work!

The Fix is obvious. Arrange the code so that the response isn't used after closing it:

CloseableHttpClient httpclient = HttpClients.createDefault();
HttpGet httpget = new HttpGet("http://localhost/");
CloseableHttpResponse response = httpclient.execute(httpget);

try {
    doSomthing();
    HttpEntity entity = response.getEntity();
    InputStream instream = entity.getContent(); // OK
} finally {
    response.close();
}