http://blog.csdn.net/angjunqiang/article/details/54340398

背景

服务端以及客户端在开发过程中不可避免的会使用到网络请求,网络请求可以使用Java原生的URLConnection,也可以使用HttpClient。在日常工作中建议大家使用HttpClient。URLConnection需要自己去实现相关的方法,而HttpClient使用起来方便,且提供许多的API。

HttpClient

1、httpClient的特性

  • 实现了所有 HTTP 的方法(GET,POST,PUT,HEAD 等)

  • 支持自动转向

  • 支持 HTTPS 协议

  • 支持代理服务器等

2、httpClient版本

目前httpClient的最新版本为4.5.2,可以通过如下maven获取Jar包,这里以本人常用的4.2.2为例;

  1. <span style="font-size:14px;">   <!-- https://mvnrepository.com/artifact/org.apache.httpcomponents/httpclient -->
  2. <dependency>
  3. <groupId>org.apache.httpcomponents</groupId>
  4. <artifactId>httpclient</artifactId>
  5. <version>4.2.2</version>
  6. </dependency></span>

3、使用方法

  1. package com.netease.mail.be.appads.web.controller;
  2. import java.io.IOException;
  3. import java.io.UnsupportedEncodingException;
  4. import java.net.URI;
  5. import java.net.URISyntaxException;
  6. import java.util.List;
  7. import org.apache.commons.lang.StringUtils;
  8. import org.apache.http.HttpEntity;
  9. import org.apache.http.HttpResponse;
  10. import org.apache.http.client.ClientProtocolException;
  11. import org.apache.http.client.HttpClient;
  12. import org.apache.http.client.entity.UrlEncodedFormEntity;
  13. import org.apache.http.client.methods.HttpPost;
  14. import org.apache.http.entity.StringEntity;
  15. import org.apache.http.impl.client.DefaultHttpClient;
  16. import org.apache.http.message.BasicNameValuePair;
  17. import org.apache.http.protocol.HTTP;
  18. import org.apache.http.util.EntityUtils;
  19. public class PostSample {
  20. public String setPost(String url, String reqBody,
  21. List<BasicNameValuePair> urlParams) {
  22. // step1: 构造HttpClient的实例,类似于打开浏览器
  23. HttpClient client = new DefaultHttpClient();
  24. // step2: 创建POST方法的实例,类似于在浏览器地址栏输入url
  25. HttpPost postMethod = new HttpPost(url);
  26. String returnValue = "";
  27. try {
  28. // step3:设置url相关参数
  29. if (null != urlParams && !urlParams.isEmpty()) {
  30. String params = EntityUtils.toString(new UrlEncodedFormEntity(
  31. urlParams, HTTP.UTF_8));
  32. postMethod.setURI(new URI(postMethod.getURI().toString() + "?"
  33. + params));
  34. }
  35. // step4:设置请求body参数及头部相关参数
  36. if (StringUtils.isNotBlank(reqBody)) {
  37. StringEntity se = new StringEntity(reqBody, "UTF-8");
  38. se.setContentType("application/text; charset=utf-8");
  39. postMethod.setEntity(se);
  40. }
  41. // step5:执行发送请求
  42. HttpResponse response = client.execute(postMethod);
  43. int statusCode = response.getStatusLine().getStatusCode();
  44. if (statusCode == 200) {
  45. // 校验码
  46. HttpEntity he = response.getEntity();
  47. returnValue = new String(EntityUtils.toByteArray(he), "UTF-8");
  48. System.out.println("Bid Request Send Succeed." + returnValue);
  49. return returnValue;
  50. } else if (statusCode == 204) {
  51. System.out.println("Bid Request Send Error, No Content");
  52. } else {
  53. System.out.println("Error happens,http status code is "
  54. + statusCode + ".");
  55. }
  56. } catch (UnsupportedEncodingException e) {
  57. System.out.println(Thread.currentThread().getName()
  58. + "发送BidRequest请求错误,编码错误:" + e.getMessage());
  59. } catch (ClientProtocolException e) {
  60. System.out.println(Thread.currentThread().getName()
  61. + "发送BidRequest请求错误,协议错误错误:" + e.getMessage());
  62. } catch (IOException e) {
  63. System.out.println(Thread.currentThread().getName()
  64. + "发送BidRequest请求错误,网络IO错误:" + e.getMessage());
  65. } catch (URISyntaxException e) {
  66. System.out.println(Thread.currentThread().getName()
  67. + "发送BidRequest请求错误,URL语法错误:" + e.getMessage());
  68. } finally {
  69. // 释放连接,很关键
  70. postMethod.releaseConnection();
  71. }
  72. return returnValue;
  73. }
  74. }

注:此方法可以应付并发量不高的网络请求,但是对于高并发的网络请求,此方法存在很大的缺陷及性能问题。具体原因如下:

  • 此方法每次都会new一个httpClient对象及HttpPost对象,new的时候需要申请系统资源会消耗一定的时间;
  • 虽然请求执行完毕后都执行了postMethod.releaseConnection方法去释放连接,但是这只是应用层的释放,而真正的释放端口需等待一段时间, 这个时间由系统决定。所以在高并发的时候,端口不断的被占用达到系统的最大值,导致后面的网络请求会直接抛出 Cannot assign requested address[不能分配端口]的异常],从而不能进行请求。

高并发的网络请求

在高并发时,需要用到HttpClient的连接池,连接的作用主要是减少创建链接的次数,请求可以复用之前的连接,所以就可以指定一定数量的连接数让连接池去创建,避免了多次创建新的连接并在系统回收连接时不能及时释放端口的情况下达到可用端口的最大值的问题。具体实现如下:

  1. package com.netease.mail.be.appads.web.controller;
  2. import java.io.IOException;
  3. import java.io.UnsupportedEncodingException;
  4. import java.net.URI;
  5. import java.net.URISyntaxException;
  6. import java.nio.charset.Charset;
  7. import java.security.cert.CertificateException;
  8. import java.security.cert.X509Certificate;
  9. import java.util.List;
  10. import javax.net.ssl.SSLContext;
  11. import javax.net.ssl.TrustManager;
  12. import javax.net.ssl.X509TrustManager;
  13. import org.apache.commons.lang.StringUtils;
  14. import org.apache.http.HttpEntity;
  15. import org.apache.http.HttpResponse;
  16. import org.apache.http.HttpVersion;
  17. import org.apache.http.client.ClientProtocolException;
  18. import org.apache.http.client.entity.UrlEncodedFormEntity;
  19. import org.apache.http.client.methods.HttpGet;
  20. import org.apache.http.client.methods.HttpPost;
  21. import org.apache.http.conn.scheme.PlainSocketFactory;
  22. import org.apache.http.conn.scheme.Scheme;
  23. import org.apache.http.conn.scheme.SchemeRegistry;
  24. import org.apache.http.conn.ssl.SSLSocketFactory;
  25. import org.apache.http.entity.StringEntity;
  26. import org.apache.http.impl.client.DefaultHttpClient;
  27. import org.apache.http.impl.conn.PoolingClientConnectionManager;
  28. import org.apache.http.message.BasicNameValuePair;
  29. import org.apache.http.params.BasicHttpParams;
  30. import org.apache.http.params.CoreConnectionPNames;
  31. import org.apache.http.params.CoreProtocolPNames;
  32. import org.apache.http.params.HttpParams;
  33. import org.apache.http.util.EntityUtils;
  34. import org.slf4j.Logger;
  35. import org.slf4j.LoggerFactory;
  36. import org.springframework.stereotype.Service;
  37. /**
  38. * HTTP请求对象,支持post与get方法
  39. */
  40. @Service("httpRequesterService")
  41. public class HttpClientPoolSample {
  42. private Logger logger = LoggerFactory.getLogger(HttpClientPoolSample.class);
  43. private static int socketTimeout = 1000;// 设置等待数据超时时间5秒钟 根据业务调整
  44. private static int connectTimeout = 2000;// 连接超时
  45. private static int maxConnNum = 4000;// 连接池最大连接数
  46. private static int maxPerRoute = 1500;// 每个主机的并发最多只有1500
  47. private static PoolingClientConnectionManager cm;
  48. private static HttpParams httpParams;
  49. private static final String DEFAULT_ENCODING = Charset.defaultCharset()
  50. .name();
  51. static {
  52. SchemeRegistry sr = new SchemeRegistry();
  53. sr.register(new Scheme("http", 80, PlainSocketFactory
  54. .getSocketFactory()));
  55. SSLSocketFactory sslFactory;
  56. try {
  57. SSLContext sslContext = SSLContext.getInstance("SSL");
  58. X509TrustManager tm = new X509TrustManager() {
  59. @Override
  60. public void checkClientTrusted(X509Certificate[] chain,
  61. String authType) throws CertificateException {
  62. }
  63. @Override
  64. public void checkServerTrusted(X509Certificate[] chain,
  65. String authType) throws CertificateException {
  66. }
  67. @Override
  68. public X509Certificate[] getAcceptedIssuers() {
  69. return null;
  70. }
  71. };
  72. sslContext.init(null, new TrustManager[] { tm },
  73. new java.security.SecureRandom());
  74. sslFactory = new SSLSocketFactory(sslContext,
  75. SSLSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIER);
  76. sr.register(new Scheme("https", 443, sslFactory));
  77. } catch (Exception e) {
  78. e.printStackTrace();
  79. }
  80. // 初始化连接池
  81. cm = new PoolingClientConnectionManager(sr);
  82. cm.setMaxTotal(maxConnNum);
  83. cm.setDefaultMaxPerRoute(maxPerRoute);
  84. httpParams = new BasicHttpParams();
  85. httpParams.setParameter(CoreProtocolPNames.PROTOCOL_VERSION,
  86. HttpVersion.HTTP_1_1);
  87. httpParams.setIntParameter(CoreConnectionPNames.CONNECTION_TIMEOUT,
  88. connectTimeout);// 请求超时时间
  89. httpParams.setIntParameter(CoreConnectionPNames.SO_TIMEOUT,
  90. socketTimeout);// 读取数据超时时间
  91. // 如果启用了NoDelay策略,httpclient和站点之间传输数据时将会尽可能及时地将发送缓冲区中的数据发送出去、而不考虑网络带宽的利用率,这个策略适合对实时性要求高的场景
  92. httpParams.setBooleanParameter(CoreConnectionPNames.TCP_NODELAY, true);
  93. httpParams.setBooleanParameter(
  94. CoreConnectionPNames.STALE_CONNECTION_CHECK, true);
  95. }
  96. public DefaultHttpClient getHttpClient() {
  97. return new DefaultHttpClient(cm, httpParams);
  98. }
  99. public String httpGet(String url, List<BasicNameValuePair> parameters) {
  100. DefaultHttpClient client = getHttpClient();// 默认会到池中查询可用的连接,如果没有就新建
  101. HttpGet getMethod = null;
  102. String returnValue = "";
  103. try {
  104. getMethod = new HttpGet(url);
  105. if (null != parameters) {
  106. String params = EntityUtils.toString(new UrlEncodedFormEntity(
  107. parameters, DEFAULT_ENCODING));
  108. getMethod.setURI(new URI(getMethod.getURI().toString() + "?"
  109. + params));
  110. logger.debug("httpGet-getUrl:{}", getMethod.getURI());
  111. }
  112. HttpResponse response = client.execute(getMethod);
  113. int statusCode = response.getStatusLine().getStatusCode();
  114. if (statusCode == 200) {
  115. HttpEntity he = response.getEntity();
  116. returnValue = new String(EntityUtils.toByteArray(he),
  117. DEFAULT_ENCODING);
  118. return returnValue;
  119. }
  120. } catch (UnsupportedEncodingException e) {
  121. logger.error(Thread.currentThread().getName()
  122. + "httpGet Send Error,Code error:" + e.getMessage());
  123. } catch (ClientProtocolException e) {
  124. logger.error(Thread.currentThread().getName()
  125. + "httpGet Send Error,Protocol error:" + e.getMessage());
  126. } catch (IOException e) {
  127. logger.error(Thread.currentThread().getName()
  128. + "httpGet Send Error,IO error:" + e.getMessage());
  129. } catch (URISyntaxException e) {
  130. logger.error(Thread.currentThread().getName()
  131. + "httpGet Send Error,IO error:" + e.getMessage());
  132. } finally {// 释放连接,将连接放回到连接池
  133. getMethod.releaseConnection();
  134. }
  135. return returnValue;
  136. }
  137. public String httpPost(String url, List<BasicNameValuePair> parameters,
  138. String requestBody) {
  139. DefaultHttpClient client = getHttpClient();// 默认会到池中查询可用的连接,如果没有就新建
  140. HttpPost postMethod = null;
  141. String returnValue = "";
  142. try {
  143. postMethod = new HttpPost(url);
  144. if (null != parameters) {
  145. String params = EntityUtils.toString(new UrlEncodedFormEntity(
  146. parameters, DEFAULT_ENCODING));
  147. postMethod.setURI(new URI(postMethod.getURI().toString() + "?"
  148. + params));
  149. logger.debug("httpPost-getUrl:{}", postMethod.getURI());
  150. }
  151. if (StringUtils.isNotBlank(requestBody)) {
  152. StringEntity se = new StringEntity(requestBody,
  153. DEFAULT_ENCODING);
  154. postMethod.setEntity(se);
  155. }
  156. HttpResponse response = client.execute(postMethod);
  157. int statusCode = response.getStatusLine().getStatusCode();
  158. if (statusCode == 200) {
  159. HttpEntity he = response.getEntity();
  160. returnValue = new String(EntityUtils.toByteArray(he),
  161. DEFAULT_ENCODING);
  162. return returnValue;
  163. }
  164. } catch (UnsupportedEncodingException e) {
  165. logger.error(Thread.currentThread().getName()
  166. + "httpPost Send Error,Code error:" + e.getMessage());
  167. } catch (ClientProtocolException e) {
  168. logger.error(Thread.currentThread().getName()
  169. + "httpPost Send Error,Protocol error:" + e.getMessage());
  170. } catch (IOException e) {
  171. logger.error(Thread.currentThread().getName()
  172. + "httpPost Send Error,IO error:" + e.getMessage());
  173. } catch (URISyntaxException e) {
  174. logger.error(Thread.currentThread().getName()
  175. + "httpPost Send Error,IO error:" + e.getMessage());
  176. } finally {// 释放连接,将连接放回到连接池
  177. postMethod.releaseConnection();
  178. // 释放池子中的空闲连接
  179. // client.getConnectionManager().closeIdleConnections(30L,
  180. // TimeUnit.MILLISECONDS);
  181. }
  182. return returnValue;
  183. }
  184. }

一些参数的解释:

  • socketTimeout:socket超时时间,这个超时时间不是连接的超时时间,而是读取返回值的超时时间,即响应超时时间
  • connectTimeout:请求连接对方的超时时间
  • maxConnNum: 连接池最大并发数。这个设置与应用的并发量有关。比如应用的1s的请求量1000,每个请求需要10ms,则需要的最大并发数为 1000/(1s/10ms)=10,理论上设置的值最好比这个稍大一点点。
  • maxPerRoute:请求后端的最大连接数,比如说后端服务有2台机器,而maxConnNum=10,则maxPerRoute=5

根据如上的配置理论上最多只可能会存在4000个连接,对于空闲的连接连接池会根据默认的设置进行回收,当然也可以在程序中进行回收,回收方法client.getConnectionManager().closeIdleConnections(30000L,TimeUnit.MILLSECONDS)表示这个连接维持30秒的空闲时间后进行回收。如果我们将30000L改为0L,则表示立即进行回收,那就失去了连接池的意义,不建议这样做。

05-20 00:40