JSONデータを要求するWebサーバーへのHTTP通信があります。このデータストリームをContent-Encoding: gzip
で圧縮したいと思います。 HttpClientでAccept-Encoding: gzip
を設定する方法はありますか? Android Referencesでのgzip
の検索では、 here に示すように、HTTPに関連するものは表示されません。
接続がgzipでエンコードされたデータを受け入れることができることを示すには、httpヘッダーを使用する必要があります。
HttpUriRequest request = new HttpGet(url);
request.addHeader("Accept-Encoding", "gzip");
// ...
httpClient.execute(request);
コンテンツエンコーディングの応答を確認します。
InputStream instream = response.getEntity().getContent();
Header contentEncoding = response.getFirstHeader("Content-Encoding");
if (contentEncoding != null && contentEncoding.getValue().equalsIgnoreCase("gzip")) {
instream = new GZIPInputStream(instream);
}
APIレベル8以上を使用している場合、 AndroidHttpClient があります。
次のようなヘルパーメソッドがあります。
public static InputStream getUngzippedContent (HttpEntity entity)
そして
public static void modifyRequestToAcceptGzipResponse (HttpRequest request)
より簡潔なコードにつながる:
AndroidHttpClient.modifyRequestToAcceptGzipResponse( request );
HttpResponse response = client.execute( request );
InputStream inputStream = AndroidHttpClient.getUngzippedContent( response.getEntity() );
このリンクのコードのサンプルはもっと興味深いと思います: ClientGZipContentCompression.Java
彼らはHttpRequestInterceptorとHttpResponseInterceptorを使用しています
リクエストのサンプル:
httpclient.addRequestInterceptor(new HttpRequestInterceptor() {
public void process(
final HttpRequest request,
final HttpContext context) throws HttpException, IOException {
if (!request.containsHeader("Accept-Encoding")) {
request.addHeader("Accept-Encoding", "gzip");
}
}
});
回答のサンプル:
httpclient.addResponseInterceptor(new HttpResponseInterceptor() {
public void process(
final HttpResponse response,
final HttpContext context) throws HttpException, IOException {
HttpEntity entity = response.getEntity();
Header ceheader = entity.getContentEncoding();
if (ceheader != null) {
HeaderElement[] codecs = ceheader.getElements();
for (int i = 0; i < codecs.length; i++) {
if (codecs[i].getName().equalsIgnoreCase("gzip")) {
response.setEntity(
new GzipDecompressingEntity(response.getEntity()));
return;
}
}
}
}
});
GZipを使用したことはありませんが、HttpURLConnection
またはHttpResponse
からの入力ストリームをGZIPInputStream
として使用し、他の特定のクラスは使用しないと仮定します。
私の場合、これは次のようなものでした。
URLConnection conn = ...;
InputStream instream = conn.getInputStream();
String encodingHeader = conn.getHeaderField("Content-Encoding");
if (encodingHeader != null && encodingHeader.toLowerCase().contains("gzip"))
{
instream = new GZIPInputStream(instream);
}