web-dev-qa-db-ja.com

HttpClient 4-最後のリダイレクトURLをキャプチャする方法

HttpGetを呼び出してHTML出力を取得する、かなり単純なHttpClient 4コードがあります。 HTMLはスクリプトと画像の場所をすべてローカルに設定して返します(たとえば_<img src="/images/foo.jpg"/>_)。これらを絶対にするためにURLを呼び出す必要があります(_<img src="http://foo.com/images/foo.jpg"/>_)呼び出し中に1つまたは元のURLがHTMLの場所を反映しないように2つの302リダイレクト。

すべてのリダイレクトがある場合(またはない場合)に返されたコンテンツの最新のURLを取得するにはどうすればよいですか?

HttpGet#getAllHeaders()HttpResponse#getAllHeaders()を見ました-何も見つかりませんでした。

編集済み:HttpGet#getURI()は元の呼び出しアドレスを返します

50
Bostone

それが現在のURLになります。これを呼び出すことで取得できます

  HttpGet#getURI();

編集:リダイレクトの方法については言及していません。私たちは302を自分で処理しているので、それは私たちにとってうまくいきます。

DefaultRedirectHandlerを使用しているように聞こえます。以前はそうしていました。現在のURLを取得するのはちょっと難しいです。独自のコンテキストを使用する必要があります。関連するコードスニペットは次のとおりです。

        HttpGet httpget = new HttpGet(url);
        HttpContext context = new BasicHttpContext(); 
        HttpResponse response = httpClient.execute(httpget, context); 
        if (response.getStatusLine().getStatusCode() != HttpStatus.SC_OK)
            throw new IOException(response.getStatusLine().toString());
        HttpUriRequest currentReq = (HttpUriRequest) context.getAttribute( 
                ExecutionContext.HTTP_REQUEST);
        HttpHost currentHost = (HttpHost)  context.getAttribute( 
                ExecutionContext.HTTP_TARGET_Host);
        String currentUrl = (currentReq.getURI().isAbsolute()) ? currentReq.getURI().toString() : (currentHost.toURI() + currentReq.getURI());

デフォルトのリダイレクトは機能しなかったため、変更しましたが、何が問題なのか忘れていました。

63
ZZ Coder

HttpClient 4では、LaxRedirectStrategyまたはDefaultRedirectStrategyのサブクラスを使用している場合、これが推奨される方法です(DefaultRedirectStrategyのソースコードを参照)。

HttpContext context = new BasicHttpContext();
HttpResult<T> result = client.execute(request, handler, context);
URI finalUrl = request.getURI();
RedirectLocations locations = (RedirectLocations) context.getAttribute(DefaultRedirectStrategy.REDIRECT_LOCATIONS);
if (locations != null) {
    finalUrl = locations.getAll().get(locations.getAll().size() - 1);
}

HttpClient 4.3.x以降、上記のコードは次のように簡略化できます。

HttpClientContext context = HttpClientContext.create();
HttpResult<T> result = client.execute(request, handler, context);
URI finalUrl = request.getURI();
List<URI> locations = context.getRedirectLocations();
if (locations != null) {
    finalUrl = locations.get(locations.size() - 1);
}
37
david_p
    HttpGet httpGet = new HttpHead("<put your URL here>");
    HttpClient httpClient = HttpClients.createDefault();
    HttpClientContext context = HttpClientContext.create();
    httpClient.execute(httpGet, context);
    List<URI> redirectURIs = context.getRedirectLocations();
    if (redirectURIs != null && !redirectURIs.isEmpty()) {
        for (URI redirectURI : redirectURIs) {
            System.out.println("Redirect URI: " + redirectURI);
        }
        URI finalURI = redirectURIs.get(redirectURIs.size() - 1);
    }
11
Atharva

ZZ Coderのソリューションに基づくIMHOの改善された方法は、ResponseInterceptorを使用して、最後のリダイレクト場所を追跡することです。そうすれば、情報を失うことはありません。ハッシュタグの後。応答インターセプターがないと、ハッシュタグが失われます。例: http://j.mp/OxbI2

private static HttpClient createHttpClient() throws NoSuchAlgorithmException, KeyManagementException {
    SSLContext sslContext = SSLContext.getInstance("SSL");
    TrustManager[] trustAllCerts = new TrustManager[] { new TrustAllTrustManager() };
    sslContext.init(null, trustAllCerts, new Java.security.SecureRandom());

    SSLSocketFactory sslSocketFactory = new SSLSocketFactory(sslContext);
    SchemeRegistry schemeRegistry = new SchemeRegistry();
    schemeRegistry.register(new Scheme("https", 443, sslSocketFactory));
    schemeRegistry.register(new Scheme("http", 80, new PlainSocketFactory()));

    HttpParams params = new BasicHttpParams();
    ClientConnectionManager cm = new org.Apache.http.impl.conn.SingleClientConnManager(schemeRegistry);

    // some pages require a user agent
    AbstractHttpClient httpClient = new DefaultHttpClient(cm, params);
    HttpProtocolParams.setUserAgent(httpClient.getParams(), "Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:13.0) Gecko/20100101 Firefox/13.0.1");

    httpClient.setRedirectStrategy(new RedirectStrategy());

    httpClient.addResponseInterceptor(new HttpResponseInterceptor() {
        @Override
        public void process(HttpResponse response, HttpContext context)
                throws HttpException, IOException {
            if (response.containsHeader("Location")) {
                Header[] locations = response.getHeaders("Location");
                if (locations.length > 0)
                    context.setAttribute(LAST_REDIRECT_URL, locations[0].getValue());
            }
        }
    });

    return httpClient;
}

private String getUrlAfterRedirects(HttpContext context) {
    String lastRedirectUrl = (String) context.getAttribute(LAST_REDIRECT_URL);
    if (lastRedirectUrl != null)
        return lastRedirectUrl;
    else {
        HttpUriRequest currentReq = (HttpUriRequest) context.getAttribute(ExecutionContext.HTTP_REQUEST);
        HttpHost currentHost = (HttpHost)  context.getAttribute(ExecutionContext.HTTP_TARGET_Host);
        String currentUrl = (currentReq.getURI().isAbsolute()) ? currentReq.getURI().toString() : (currentHost.toURI() + currentReq.getURI());
        return currentUrl;
    }
}

public static final String LAST_REDIRECT_URL = "last_redirect_url";

zZ Coderのソリューションと同じように使用します。

HttpResponse response = httpClient.execute(httpGet, context);
String url = getUrlAfterRedirects(context);
6

私はこれを HttpComponents Client Documentation で見つけました

CloseableHttpClient httpclient = HttpClients.createDefault();
HttpClientContext context = HttpClientContext.create();
HttpGet httpget = new HttpGet("http://localhost:8080/");
CloseableHttpResponse response = httpclient.execute(httpget, context);
try {
    HttpHost target = context.getTargetHost();
    List<URI> redirectLocations = context.getRedirectLocations();
    URI location = URIUtils.resolve(httpget.getURI(), target, redirectLocations);
    System.out.println("Final HTTP location: " + location.toASCIIString());
    // Expected to be an absolute URI
} finally {
    response.close();
}
5
AmirHossein

最終URLを見つける簡単な方法は、DefaultRedirectHandlerを使用することだと思います。

package ru.test.test;

import Java.net.URI;

import org.Apache.http.HttpResponse;
import org.Apache.http.ProtocolException;
import org.Apache.http.impl.client.DefaultRedirectHandler;
import org.Apache.http.protocol.HttpContext;

public class MyRedirectHandler extends DefaultRedirectHandler {

    public URI lastRedirectedUri;

    @Override
    public boolean isRedirectRequested(HttpResponse response, HttpContext context) {

        return super.isRedirectRequested(response, context);
    }

    @Override
    public URI getLocationURI(HttpResponse response, HttpContext context)
            throws ProtocolException {

        lastRedirectedUri = super.getLocationURI(response, context);

        return lastRedirectedUri;
    }

}

このハンドラーを使用するコード:

  DefaultHttpClient httpclient = new DefaultHttpClient();
  MyRedirectHandler handler = new MyRedirectHandler();
  httpclient.setRedirectHandler(handler);

  HttpGet get = new HttpGet(url);

  HttpResponse response = httpclient.execute(get);

  HttpEntity entity = response.getEntity();
  lastUrl = url;
  if(handler.lastRedirectedUri != null){
      lastUrl = handler.lastRedirectedUri.toString();
  }
4
ydanila

バージョン2.3では、Androidはまだ次のリダイレクト(HTTPコード302)をサポートしていません。ロケーションヘッダーを読み取り、再度ダウンロードします。

if (statusCode != HttpStatus.SC_OK) {
    Header[] headers = response.getHeaders("Location");

    if (headers != null && headers.length != 0) {
        String newUrl = headers[headers.length - 1].getValue();
        // call again the same downloading method with new URL
        return downloadBitmap(newUrl);
    } else {
        return null;
    }
}

ここでは循環リダイレクトの保護がないため、注意してください。ブログでさらに詳しく AndroidHttpClientで302リダイレクトをフォロー

2
Nikola

これは、リダイレクトURLを取得する方法です。

Header[] arr = httpResponse.getHeaders("Location");
for (Header head : arr){
    String whatever = arr.getValue();
}

または、リダイレクトロケーションが1つしかないことが確実な場合は、次のようにします。

httpResponse.getFirstHeader("Location").getValue();
0
Salman