Apache HttpClient 4.3でSSL証明書を無視する


102

Apache HttpClient 4.3の SSL証明書を無視する方法(すべて信頼)

私がSOで見つけたすべての回答は以前のバージョンを扱い、APIが変更されました。

関連:

編集:

  • テスト用です。子供たち、家で(または本番で)試してはいけません

回答:


146

以下のコードは、自己署名証明書を信頼するために機能します。クライアントを作成するときは、TrustSelfSignedStrategyを使用する必要があります。

SSLContextBuilder builder = new SSLContextBuilder();
builder.loadTrustMaterial(null, new TrustSelfSignedStrategy());
SSLConnectionSocketFactory sslsf = new SSLConnectionSocketFactory(
        builder.build());
CloseableHttpClient httpclient = HttpClients.custom().setSSLSocketFactory(
        sslsf).build();

HttpGet httpGet = new HttpGet("https://some-server");
CloseableHttpResponse response = httpclient.execute(httpGet);
try {
    System.out.println(response.getStatusLine());
    HttpEntity entity = response.getEntity();
    EntityUtils.consume(entity);
} finally {
    response.close();
}

SSLConnectionSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIER目的を含めませんでした:自己署名証明書でテストできるようにすることで、証明機関から適切な証明書を取得する必要がなくなりました。正しいホスト名で自己署名証明書を簡単に作成できるので、SSLConnectionSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIERフラグを追加する代わりにそれを行ってください。


8
これをHttpClientBuilderで動作させるには、引数SSLConnectionSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIERをコンストラクターに追加する必要がありました(holmis83のvasektへの応答で説明されています)。
dejuknow 14年

また、HTTPClientのサイト上の例を参照してくださいhc.apache.org/httpcomponents-client-4.3.x/httpclient/examples/...
arajashe

2
また、ALLOW_ALL_HOSTNAME_VERIFIERを使用する必要がありました。SSLConnectionSocketFactory(builder.build()、SSLConnectionSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIER);
表示名

このコードは、非推奨のコンストラクタを引数なしで使用しなくて機能しますSSLConnectionSocketFactory.ALLOW_‌​ALL_HOSTNAME_VERIFIER
user11153

使用していたクラスの完全な参照を指定していただければ幸いです。呼び出された複数のクラスSSLContextBuilderがIdeaによって見つかりました。
MasterMind 2018年

91

上記のPoolingHttpClientConnectionManagerプロシージャを使用しても機能しない場合、カスタムSSLContextは無視されます。PoolingHttpClientConnectionManagerを作成するときは、コンストラクタでsocketFactoryRegistryを渡す必要があります。

SSLContextBuilder builder = SSLContexts.custom();
builder.loadTrustMaterial(null, new TrustStrategy() {
    @Override
    public boolean isTrusted(X509Certificate[] chain, String authType)
            throws CertificateException {
        return true;
    }
});
SSLContext sslContext = builder.build();
SSLConnectionSocketFactory sslsf = new SSLConnectionSocketFactory(
        sslContext, new X509HostnameVerifier() {
            @Override
            public void verify(String host, SSLSocket ssl)
                    throws IOException {
            }

            @Override
            public void verify(String host, X509Certificate cert)
                    throws SSLException {
            }

            @Override
            public void verify(String host, String[] cns,
                    String[] subjectAlts) throws SSLException {
            }

            @Override
            public boolean verify(String s, SSLSession sslSession) {
                return true;
            }
        });

Registry<ConnectionSocketFactory> socketFactoryRegistry = RegistryBuilder
        .<ConnectionSocketFactory> create().register("https", sslsf)
        .build();

PoolingHttpClientConnectionManager cm = new PoolingHttpClientConnectionManager(
        socketFactoryRegistry);
CloseableHttpClient httpclient = HttpClients.custom()
        .setConnectionManager(cm).build();

11
独自のX509HostnameVerifierを構築する代わりに、SSLConnectionSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIERを使用できます。
holmis83 2013

以下の@ rich95でマークされているように、HttpClientsのデフォルトはPoolingHttpClientを提供するため、これは非常に頻繁に関連します。私はこれを必要とする前に、これらの答えのかなりの数を試さなければなりませんでした。
SunSear 2014

1
これをWebSphereに適用しようとしたところ、「java.security.KeyStoreException:IBMTrustManager:Problem access access trust store java.io.IOException:Invalid keystore format」が発生したため、KeyStore trustStore = KeyStore.getInstance(KeyStore.getDefaultType()); nullの代わりにbuilder.loadTrustMaterial
Georgy Gobozov 14

1
実際には、とのHttpClient 4.5、両方HttpClients.custom().setConnectionManager(cm).build()HttpClients.custom().setSSLSocketFactory(connectionFactory).build()あなたが作成する必要はありませんので、動作しますPoolingHttpClientConnectionManager
soulmachine

これを作成した後、PoolingHttpClientConnectionManagerを使用する方法、コードは機能していますが、接続プールが機能するかどうかを知りたい
Labeo

34

@mavroprovatoの回答への追加として、自己署名だけでなくすべての証明書を信頼する場合は、(コードのスタイルで)行います

builder.loadTrustMaterial(null, new TrustStrategy(){
    public boolean isTrusted(X509Certificate[] chain, String authType)
        throws CertificateException {
        return true;
    }
});

または(自分のコードから直接コピーして貼り付けます):

import javax.net.ssl.SSLContext;
import org.apache.http.ssl.TrustStrategy;
import org.apache.http.ssl.SSLContexts;

// ...

        SSLContext sslContext = SSLContexts
                .custom()
                //FIXME to contain real trust store
                .loadTrustMaterial(new TrustStrategy() {
                    @Override
                    public boolean isTrusted(X509Certificate[] chain,
                        String authType) throws CertificateException {
                        return true;
                    }
                })
                .build();

ホスト名の検証もスキップする場合は、次のように設定する必要があります

    CloseableHttpClient httpclient = HttpClients.custom().setSSLSocketFactory(
            sslsf).setSSLHostnameVerifier( NoopHostnameVerifier.INSTANCE).build();

同じように。(ALLOW_ALL_HOSTNAME_VERIFIERは非推奨です)。

義務的な警告:実際にはこれを行うべきではありません。すべての証明書を受け入れることは悪いことです。ただし、これを実行したい場合がまれにあります。

以前に与えられたコードへのメモとして、httpclient.execute()が例外をスローした場合でも応答を閉じる必要があります

CloseableHttpResponse response = null;
try {
    response = httpclient.execute(httpGet);
    System.out.println(response.getStatusLine());
    HttpEntity entity = response.getEntity();
    EntityUtils.consume(entity);
}
finally {
    if (response != null) {
        response.close();
    }
}

上記のコードは、

<dependency>
    <groupId>org.apache.httpcomponents</groupId>
    <artifactId>httpclient</artifactId>
    <version>4.5.3</version>
</dependency>

そして興味がある人のために、これが私の完全なテストセットです:

import org.apache.http.HttpEntity;
import org.apache.http.client.methods.CloseableHttpResponse;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.conn.ssl.NoopHostnameVerifier;
import org.apache.http.conn.ssl.SSLConnectionSocketFactory;
import org.apache.http.conn.ssl.TrustSelfSignedStrategy;
import org.apache.http.impl.client.CloseableHttpClient;
import org.apache.http.impl.client.HttpClients;
import org.apache.http.ssl.SSLContextBuilder;
import org.apache.http.ssl.TrustStrategy;
import org.apache.http.util.EntityUtils;
import org.junit.Test;

import javax.net.ssl.HostnameVerifier;
import javax.net.ssl.SSLHandshakeException;
import javax.net.ssl.SSLPeerUnverifiedException;
import java.security.cert.CertificateException;
import java.security.cert.X509Certificate;

public class TrustAllCertificatesTest {
    final String expiredCertSite = "https://expired.badssl.com/";
    final String selfSignedCertSite = "https://self-signed.badssl.com/";
    final String wrongHostCertSite = "https://wrong.host.badssl.com/";

    static final TrustStrategy trustSelfSignedStrategy = new TrustSelfSignedStrategy();
    static final TrustStrategy trustAllStrategy = new TrustStrategy(){
        public boolean isTrusted(X509Certificate[] chain, String authType)
                throws CertificateException {
            return true;
        }
    };

    @Test
    public void testSelfSignedOnSelfSignedUsingCode() throws Exception {
        doGet(selfSignedCertSite, trustSelfSignedStrategy);
    }
    @Test(expected = SSLHandshakeException.class)
    public void testExpiredOnSelfSignedUsingCode() throws Exception {
        doGet(expiredCertSite, trustSelfSignedStrategy);
    }
    @Test(expected = SSLPeerUnverifiedException.class)
    public void testWrongHostOnSelfSignedUsingCode() throws Exception {
        doGet(wrongHostCertSite, trustSelfSignedStrategy);
    }

    @Test
    public void testSelfSignedOnTrustAllUsingCode() throws Exception {
        doGet(selfSignedCertSite, trustAllStrategy);
    }
    @Test
    public void testExpiredOnTrustAllUsingCode() throws Exception {
        doGet(expiredCertSite, trustAllStrategy);
    }
    @Test(expected = SSLPeerUnverifiedException.class)
    public void testWrongHostOnTrustAllUsingCode() throws Exception {
        doGet(wrongHostCertSite, trustAllStrategy);
    }

    @Test
    public void testSelfSignedOnAllowAllUsingCode() throws Exception {
        doGet(selfSignedCertSite, trustAllStrategy, NoopHostnameVerifier.INSTANCE);
    }
    @Test
    public void testExpiredOnAllowAllUsingCode() throws Exception {
        doGet(expiredCertSite, trustAllStrategy, NoopHostnameVerifier.INSTANCE);
    }
    @Test
    public void testWrongHostOnAllowAllUsingCode() throws Exception {
        doGet(expiredCertSite, trustAllStrategy, NoopHostnameVerifier.INSTANCE);
    }

    public void doGet(String url, TrustStrategy trustStrategy, HostnameVerifier hostnameVerifier) throws Exception {
        SSLContextBuilder builder = new SSLContextBuilder();
        builder.loadTrustMaterial(trustStrategy);
        SSLConnectionSocketFactory sslsf = new SSLConnectionSocketFactory(
                builder.build());
        CloseableHttpClient httpclient = HttpClients.custom().setSSLSocketFactory(
                sslsf).setSSLHostnameVerifier(hostnameVerifier).build();

        HttpGet httpGet = new HttpGet(url);
        CloseableHttpResponse response = httpclient.execute(httpGet);
        try {
            System.out.println(response.getStatusLine());
            HttpEntity entity = response.getEntity();
            EntityUtils.consume(entity);
        } finally {
            response.close();
        }
    }
    public void doGet(String url, TrustStrategy trustStrategy) throws Exception {

        SSLContextBuilder builder = new SSLContextBuilder();
        builder.loadTrustMaterial(trustStrategy);
        SSLConnectionSocketFactory sslsf = new SSLConnectionSocketFactory(
                builder.build());
        CloseableHttpClient httpclient = HttpClients.custom().setSSLSocketFactory(
                sslsf).build();

        HttpGet httpGet = new HttpGet(url);
        CloseableHttpResponse response = httpclient.execute(httpGet);
        try {
            System.out.println(response.getStatusLine());
            HttpEntity entity = response.getEntity();
            EntityUtils.consume(entity);
        } finally {
            response.close();
        }
    }
}

githubでの作業テストプロジェクト)


1
例外が発生した場合、HttpClient#executeがnull応答オブジェクトを返すことはありません。さらに、ストックHttpClient実装は、リクエストの実行中に例外が発生した場合に、リースされた接続などのすべてのシステムリソースの自動割り当て解除を保証します。mavroprovatoで使用される例外処理は完全に適切です。
ok2c 2013年

@oleg Closableインターフェースのポイントは、「ストリームを閉じて、それに関連付けられているシステムリソースを解放することです。ストリームがすでに閉じている場合、このメソッドを呼び出しても効果はありません。」したがって、必要がなくても使用することをお勧めします。また、私はnull応答を返すコメントを理解していません-もちろん、それは例外です、それが例外をスローした場合、何も返しませんか?
2013年

1
ApacheのHttpClientをは決して今までに nullまたは部分的に初期化応答オブジェクトを返します。これは、#closeが呼び出される回数とは関係ありませんが、finally句での完全に不要なnullチェック
ok2c

@olegを使用し、私が指定したコードでは、nullまたは部分的に初期化された応答オブジェクトを返すと想定したり、そのようなケースをチェックしたりすることはありません。私はあなたが話していることの手がかりがありませんか?
2013年

1
[ ため息 ] HttpResponseがnullになることはないため、#executeメソッドは応答を返さずに終了するので、まったく不要です;-)
ok2c

22

vasektによる回答への小さな追加:

SocketFactoryRegistryで提供されるソリューションは、PoolingHttpClientConnectionManagerを使用するときに機能します。

ただし、プレーンHTTPを介した接続はそれ以上機能しません。再度機能させるには、httpプロトコル用のPlainConnectionSocketFactoryを追加する必要があります。

Registry<ConnectionSocketFactory> socketFactoryRegistry = 
  RegistryBuilder.<ConnectionSocketFactory> create()
  .register("https", sslsf)
  .register("http", new PlainConnectionSocketFactory()).build();

httpプロトコルはPlainConnectionSocketFactory デフォルトで使用されていると思います。登録httpsしただけで、httpclientプレーンなHTTP URLを取得できます。このステップは必要ないと思います。
soulmachine

@soulmachineの対象外PoolingHttpClientConnectionManager
amseager

15

さまざまなオプションを試した後、次の設定はhttpとhttpsの両方で機能しました

        SSLContextBuilder builder = new SSLContextBuilder();
        builder.loadTrustMaterial(null, new TrustSelfSignedStrategy());
        SSLConnectionSocketFactory sslsf = new SSLConnectionSocketFactory(builder.build(),SSLConnectionSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIER);


        Registry<ConnectionSocketFactory> registry = RegistryBuilder.<ConnectionSocketFactory>create()
                .register("http", new PlainConnectionSocketFactory())
                .register("https", sslsf)
                .build();


        PoolingHttpClientConnectionManager cm = new PoolingHttpClientConnectionManager(registry);
        cm.setMaxTotal(2000);//max connection


        //System.setProperty("jsse.enableSNIExtension", "false"); //""
        CloseableHttpClient httpClient = HttpClients.custom()
                .setSSLSocketFactory(sslsf)
                .setConnectionManager(cm)
                .build();

http-client 4.3.3を使用しています-

compile 'org.apache.httpcomponents:httpclient:4.3.3'


1
包括的で完全に機能する例を提供してくれてありがとう!以前のソリューションで複数の問題に直面していましたが、これは非常に役立ちました。また、同じ名前のクラスが複数あり、混乱を招くため、インポートステートメントを指定するのにも役立ちました。
Helmy

8

よりシンプルで短い作業コード:

私たちはHTTPClient 4.3.5を使用しており、stackoverflowに存在するほとんどすべてのソリューションを試してみましたが何もありませんでした。問題を考えて理解した後、完全に機能する次のコードにたどり着き、HttpClientインスタンスを作成する前に追加します。

投稿リクエストに使用するいくつかの方法...

SSLContextBuilder builder = new SSLContextBuilder();
    builder.loadTrustMaterial(null, new TrustStrategy() {
        @Override
        public boolean isTrusted(X509Certificate[] chain, String authType) throws CertificateException {
            return true;
        }
    });

    SSLConnectionSocketFactory sslSF = new SSLConnectionSocketFactory(builder.build(),
            SSLConnectionSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIER);

    HttpClient httpClient = HttpClients.custom().setSSLSocketFactory(sslSF).build();
    HttpPost postRequest = new HttpPost(url);

通常の形式でHttpPostインスタンスを呼び出して使用し続ける


ヘッダーにデータを投稿するにはどうすればよいですか?もしそうなら、HTTP / 1.1 400 Bad Request

6

上記のテクニックの実用的な蒸留は、「curl --insecure」に相当します:

HttpClient getInsecureHttpClient() throws GeneralSecurityException {
    TrustStrategy trustStrategy = new TrustStrategy() {
        @Override
        public boolean isTrusted(X509Certificate[] chain, String authType) {
            return true;
        }
    };

    HostnameVerifier hostnameVerifier = new HostnameVerifier() {
        @Override
        public boolean verify(String hostname, SSLSession session) {
            return true;
        }
    };

    return HttpClients.custom()
            .setSSLSocketFactory(new SSLConnectionSocketFactory(
                    new SSLContextBuilder().loadTrustMaterial(trustStrategy).build(),
                    hostnameVerifier))
            .build();
}

5

httpクライアント4.5を使用する場合、任意のホスト名を許可するためにjavasx.net.ssl.HostnameVerifierを使用する必要がありました(テスト目的)。これが私がやったことです:

CloseableHttpClient httpClient = null;
    try {
        SSLContextBuilder sslContextBuilder = new SSLContextBuilder();
        sslContextBuilder.loadTrustMaterial(null, new TrustSelfSignedStrategy());

        HostnameVerifier hostnameVerifierAllowAll = new HostnameVerifier() 
            {
                public boolean verify(String hostname, SSLSession session) {
                    return true;
                }
            };

        SSLConnectionSocketFactory sslSocketFactory = new SSLConnectionSocketFactory(sslContextBuilder.build(), hostnameVerifierAllowAll);

        CredentialsProvider credsProvider = new BasicCredentialsProvider();
        credsProvider.setCredentials(
            new AuthScope("192.168.30.34", 8443),
            new UsernamePasswordCredentials("root", "password"));

        httpClient = HttpClients.custom()
            .setSSLSocketFactory(sslSocketFactory)
            .setDefaultCredentialsProvider(credsProvider)
            .build();

        HttpGet httpGet = new HttpGet("https://192.168.30.34:8443/axis/services/getStuff?firstResult=0&maxResults=1000");

        CloseableHttpResponse response = httpClient.execute(httpGet);

        int httpStatus = response.getStatusLine().getStatusCode();
        if (httpStatus >= 200 && httpStatus < 300) { [...]
        } else {
            throw new ClientProtocolException("Unexpected response status: " + httpStatus);
        }

    } catch (Exception ex) {
        ex.printStackTrace();
    }
    finally {
        try {
            httpClient.close();
        } catch (IOException ex) {
            logger.error("Error while closing the HTTP client: ", ex);
        }
    }

HostnameVerifierの実装により、HTTPClient 4.5の問題が解決されました。
digz6666 2016年

ラムダ(JDK1.8)を愛する人のために、置き換えることができるSSLConnectionSocketFactory sslSocketFactory = new SSLConnectionSocketFactory(sslContextBuilder.build(), hostnameVerifierAllowAll);SSLConnectionSocketFactory sslSocketFactory = new SSLConnectionSocketFactory(sslContextBuilder.build(), (hostName, sslSession) -> true);。匿名クラスを避け、コードをもう少し読みやすくします。
Vielinko 2017年

3

PoolingHttpClientConnectionManagerで一緒にRegistry<ConnectionSocketFactory> socketFactoryRegistry = RegistryBuilder.<ConnectionSocketFactory> create().register("https", sslFactory).build(); したい場合は、非同期のHTTPClient使用してPoolingNHttpClientConnectionManager次のようになりshoudlコードを

SSLContextBuilder builder = SSLContexts.custom();
builder.loadTrustMaterial(null, new TrustStrategy() {
    @Override
    public boolean isTrusted(X509Certificate[] chain, String authType)
            throws CertificateException {
        return true;
    }
});
SSLContext sslContext = builder.build();
SchemeIOSessionStrategy sslioSessionStrategy = new SSLIOSessionStrategy(sslContext, 
                new HostnameVerifier(){
            @Override
            public boolean verify(String hostname, SSLSession session) {
                return true;// TODO as of now allow all hostnames
            }
        });
Registry<SchemeIOSessionStrategy> sslioSessionRegistry = RegistryBuilder.<SchemeIOSessionStrategy>create().register("https", sslioSessionStrategy).build();
PoolingNHttpClientConnectionManager ncm  = new PoolingNHttpClientConnectionManager(new DefaultConnectingIOReactor(),sslioSessionRegistry);
CloseableHttpAsyncClient asyncHttpClient = HttpAsyncClients.custom().setConnectionManager(ncm).build();
asyncHttpClient.start();        

3

を使用しているHttpClient 4.5.x場合、コードは次のようになります。

SSLContext sslContext = new SSLContextBuilder().loadTrustMaterial(null,
        TrustSelfSignedStrategy.INSTANCE).build();
SSLConnectionSocketFactory sslSocketFactory = new SSLConnectionSocketFactory(
        sslContext, NoopHostnameVerifier.INSTANCE);

HttpClient httpClient = HttpClients.custom()
                                   .setDefaultCookieStore(new BasicCookieStore())
                                   .setSSLSocketFactory(sslSocketFactory)
                                   .build();

うまくいきませんでした。私はHttpClient:4.5.5を使用しています。およびHttpCore 4.4.9
Vijay Kumar

2
class ApacheHttpClient {

    /***
     * This is a https get request that bypasses certificate checking and hostname verifier.
     * It uses basis authentication method.
     * It is tested with Apache httpclient-4.4.
     * It dumps the contents of a https page on the console output.
     * It is very similar to http get request, but with the additional customization of
     *   - credential provider, and
     *   - SSLConnectionSocketFactory to bypass certification checking and hostname verifier.
     * @param path String
     * @param username String
     * @param password String
     * @throws IOException
     */
    public void get(String path, String username, String password) throws IOException {
        final CloseableHttpClient httpClient = HttpClients.custom()
                .setDefaultCredentialsProvider(createCredsProvider(username, password))
                .setSSLSocketFactory(createGenerousSSLSocketFactory())
                .build();

        final CloseableHttpResponse response = httpClient.execute(new HttpGet(path));
        try {
            HttpEntity entity = response.getEntity();
            if (entity == null)
                return;
            System.out.println(EntityUtils.toString(entity));
        } finally {
            response.close();
            httpClient.close();
        }
    }

    private CredentialsProvider createCredsProvider(String username, String password) {
        CredentialsProvider credsProvider = new BasicCredentialsProvider();
        credsProvider.setCredentials(
                AuthScope.ANY,
                new UsernamePasswordCredentials(username, password));
        return credsProvider;
    }

    /***
     * 
     * @return SSLConnectionSocketFactory that bypass certificate check and bypass HostnameVerifier
     */
    private SSLConnectionSocketFactory createGenerousSSLSocketFactory() {
        SSLContext sslContext;
        try {
            sslContext = SSLContext.getInstance("SSL");
            sslContext.init(null, new TrustManager[]{createGenerousTrustManager()}, new SecureRandom());
        } catch (KeyManagementException | NoSuchAlgorithmException e) {
            e.printStackTrace();
            return null;
        }
        return new SSLConnectionSocketFactory(sslContext, NoopHostnameVerifier.INSTANCE);
    }

    private X509TrustManager createGenerousTrustManager() {
        return new X509TrustManager() {
            @Override
            public void checkClientTrusted(X509Certificate[] cert, String s) throws CertificateException {
            }

            @Override
            public void checkServerTrusted(X509Certificate[] cert, String s) throws CertificateException {
            }

            @Override
            public X509Certificate[] getAcceptedIssuers() {
                return null;
            }
        };
    }
}

2

Apache HTTPクライアントのすべての証明書を信頼する

TrustManager[] trustAllCerts = new TrustManager[]{
                    new X509TrustManager() {
                        public java.security.cert.X509Certificate[] getAcceptedIssuers() {
                            return null;
                        }
                        public void checkClientTrusted(
                            java.security.cert.X509Certificate[] certs, String authType) {
                        }
                        public void checkServerTrusted(
                            java.security.cert.X509Certificate[] certs, String authType) {
                        }
                    }
                };

          try {
                SSLContext sc = SSLContext.getInstance("SSL");
                sc.init(null, trustAllCerts, new java.security.SecureRandom());
                SSLConnectionSocketFactory sslsf = new SSLConnectionSocketFactory(
                        sc);
                httpclient = HttpClients.custom().setSSLSocketFactory(
                        sslsf).build();
                HttpsURLConnection.setDefaultSSLSocketFactory(sc.getSocketFactory());

これはhttpclient 4.5.9でうまく機能しました。コンテンツ全体をコピーして貼り付けるだけです。
サティア

1

(私はvasektの回答に直接コメントを追加しましたが、十分な評判ポイントがありません(ロジックが不明)

とにかく...私が言いたかったのは、PoolingConnectionを明示的に作成または要求していなくても、PoolingConnectionを取得していないということではありません。

元の解決策がうまくいかない理由を理解しようと頭がおかしくなりましたが、「私のケースには当てはまらなかった」のでvasektの回答は無視しました。

低いときにスタックトレースを見つめていましたが、その中央にPoolingConnectionがありました。Bang-彼の追加と成功に疲れた!! (私たちのデモは明日で、私は絶望的になりました):-)


0

次のコードスニペットを使用して、SSL認証チェックなしでHttpClientインスタンスを取得できます。

private HttpClient getSSLHttpClient() throws KeyStoreException, NoSuchAlgorithmException, KeyManagementException {

        LogLoader.serverLog.trace("In getSSLHttpClient()");

        SSLContext context = SSLContext.getInstance("SSL");

        TrustManager tm = new X509TrustManager() {
            public void checkClientTrusted(X509Certificate[] chain, String authType) throws CertificateException {
            }

            public void checkServerTrusted(X509Certificate[] chain, String authType) throws CertificateException {
            }

            public X509Certificate[] getAcceptedIssuers() {
                return null;
            }
        };

        context.init(null, new TrustManager[] { tm }, null);

        HttpClientBuilder builder = HttpClientBuilder.create();
        SSLConnectionSocketFactory sslConnectionFactory = new SSLConnectionSocketFactory(context);
        builder.setSSLSocketFactory(sslConnectionFactory);

        PlainConnectionSocketFactory plainConnectionSocketFactory = new PlainConnectionSocketFactory();
        Registry<ConnectionSocketFactory> registry = RegistryBuilder.<ConnectionSocketFactory>create()
                .register("https", sslConnectionFactory).register("http", plainConnectionSocketFactory).build();

        PoolingHttpClientConnectionManager ccm = new PoolingHttpClientConnectionManager(registry);
        ccm.setMaxTotal(BaseConstant.CONNECTION_POOL_SIZE);
        ccm.setDefaultMaxPerRoute(BaseConstant.CONNECTION_POOL_SIZE);
        builder.setConnectionManager((HttpClientConnectionManager) ccm);

        builder.disableRedirectHandling();

        LogLoader.serverLog.trace("Out getSSLHttpClient()");

        return builder.build();
    }

0

ソナーのセキュリティ警告を修正するために、上記の@divbyzeroから回答するように少し微調整

CloseableHttpClient getInsecureHttpClient() throws GeneralSecurityException {
            TrustStrategy trustStrategy = (chain, authType) -> true;

            HostnameVerifier hostnameVerifier = (hostname, session) -> hostname.equalsIgnoreCase(session.getPeerHost());

            return HttpClients.custom()
                    .setSSLSocketFactory(new SSLConnectionSocketFactory(new SSLContextBuilder().loadTrustMaterial(trustStrategy).build(), hostnameVerifier))
                    .build();
        }

0

最初は、信頼戦略を使用してローカルホストを無効にすることができましたが、後でNoopH​​ostnameVerifierを追加しました。これで、ローカルホストと任意のマシン名の両方で機能します

SSLContext sslContext = SSLContextBuilder.create().loadTrustMaterial(null, new TrustStrategy() {

            @Override
            public boolean isTrusted(X509Certificate[] chain, String authType) throws CertificateException {
                return true;
            }

        }).build();
        SSLConnectionSocketFactory sslsf = new SSLConnectionSocketFactory(
                sslContext, NoopHostnameVerifier.INSTANCE);
        CloseableHttpClient httpclient = HttpClients.custom().setSSLSocketFactory(sslsf).build();
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.