Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

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

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.

like image 345
palkarrohan Avatar asked Nov 10 '15 15:11

palkarrohan


1 Answers

I had a similar issue that wasn't related to rest-assured, but this was the first result Google found so I'm posting my answer here, in case others 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();
}

like image 91
asherbret Avatar answered Nov 17 '22 00:11

asherbret