本文转自:http://mercymessi.iteye.com/blog/2250161

httpclient是Apache下的一个用于执行http网络访问的一个工具包。

大致流程:新建一个httpclient对象->新建一个httpRequest对象->用httpclient去执行->得到一个response->通过解析这个response来获取自己所需要的信息。

一、新建httpClient对象:

在httpClient4.5中,初始化的方式已经和以前版本有一些不同。

有大致以下几种方式:

  1. static  CloseableHttpClient client = HttpClients.createDefault();
  2. //最好使用static修饰,以保证用同一个client对象处理请求,以保存进度
  1. static CloseableHttpClient httpClient=HttpClients.custom().build();

此二种都是新建一个默认的httpClient对象。可以在第二种方法里添加一些网络访问选项设置。

  1. /**
  2. * initialize a instance of the httpClient depending on your own request
  3. */
  4. private static CloseableHttpClient getInstanceClient() {
  5. CloseableHttpClient httpClient;
  6. StandardHttpRequestRetryHandler standardHandler = new StandardHttpRequestRetryHandler(5, true);
  7. HttpRequestRetryHandler handler = new HttpRequestRetryHandler() {
  8. @Override
  9. public boolean retryRequest(IOException arg0, int retryTimes, HttpContext arg2) {
  10. if (arg0 instanceof UnknownHostException || arg0 instanceof ConnectTimeoutException
  11. || !(arg0 instanceof SSLException) || arg0 instanceof NoHttpResponseException) {
  12. return true;
  13. }
  14. if (retryTimes > 5) {
  15. return false;
  16. }
  17. HttpClientContext clientContext = HttpClientContext.adapt(arg2);
  18. HttpRequest request = clientContext.getRequest();
  19. boolean idempotent = !(request instanceof HttpEntityEnclosingRequest);
  20. if (idempotent) {
  21. // 如果请求被认为是幂等的,那么就重试。即重复执行不影响程序其他效果的
  22. return true;
  23. }
  24. return false;
  25. }
  26. };
  27. HttpHost proxy = new HttpHost("127.0.0.1", 80);// 设置代理ip
  28. DefaultProxyRoutePlanner routePlanner = new DefaultProxyRoutePlanner(proxy);
  29. httpClient = HttpClients.custom().setRoutePlanner(routePlanner).setRetryHandler(handler)
  30. .setConnectionTimeToLive(1, TimeUnit.DAYS).setDefaultCookieStore(cookieStore).build();
  31. return httpClient;
  32. }

在该代码中分别设置了网络代理,重试处理,对于请求的keepalive时间,指定cookiestore用于保存cookie。

retryHandler:代码里给了两种方式。第一个是简便的用于设置重试,第一个参数为最大重试次数,第二个参数为请求在幂等情况下是否重试。第二种方式详细的规定了在发生了什么exception个下重试,以及幂等和重试次数下的重试情况。

routePlanner:httpClient支持代理。新建一个httphost对象传给一个routeplanner对象即可。httphost的构造方法中可以指定代理ip和端口

CookieStore:需要预先新建一个cookieStore对象。初始化方式如下:

  1. CookieStore cookieStore = new BasicCookieStore();

二、执行get请求:

先上代码

  1. /**
  2. * used to get the html code from the url
  3. */
  4. static RequestConfig config = RequestConfig.custom().setConnectTimeout(6000).setSocketTimeout(6000)
  5. .setCookieSpec(CookieSpecs.STANDARD).build(); // 设置超时及cookie策略
  6. public static String getDemo(String url) {
  7. HttpGet get = new HttpGet(url);
  8. get.setConfig(config);
  9. HttpResponse response = null;
  10. String html = null;
  11. try {
  12. response = client.execute(get);
  13. int statusCode = response.getStatusLine().getStatusCode();// 连接代码
  14. Header[] headers = response.getAllHeaders();
  15. // 用于得到返回的文件头
  16. for (Header header : headers) {
  17. System.out.println(header);
  18. }
  19. html = new String(EntityUtils.toString(response.getEntity()).getBytes("iso8859-1"), "gb2312");
  20. // 在后面参数输入网站的编码,一般为utf-8
  21. // 返回的html代码,避免发生编码错误
  22. System.out.println(html);
  23. } catch (IOException e) {
  24. e.printStackTrace();
  25. }
  26. return html;
  27. }

大致流程:新建httpget对象->用httpClient执行->解析返回的response得到自己需要的内容

cookieSpec:即cookie策略。参数为cookiespecs的一些字段。作用:1、如果网站header中有set-cookie字段时,采用默认方式可能会被cookie reject,无法写入cookie。将此属性设置成CookieSpecs.STANDARD_STRICT可避免此情况。2、如果要想忽略cookie访问,则将此属性设置成CookieSpecs.IGNORE_COOKIES。

tips:注意网站编码,否则容易出现乱码

也可以通过uri进行构建httpget:

URI uri = new URIBuilder()
.setScheme("http")
.setHost("www.google.com")
.setPath("/search")
.setParameter("q", "httpclient")
.setParameter("btnG", "Google Search")
.setParameter("aq", "f")
.setParameter("oq", "")
.build();
HttpGet httpget = new HttpGet(uri);
System.out.println(httpget.getURI());//http://www.google.com/search?q=httpclient&btnG=Google+Search&aq=f&oq=

三、执行post请求:

  1. /**
  2. * used to post form data which is the url needed
  3. */
  4. public static void postDemo(String url) {
  5. HttpPost post = new HttpPost(url);
  6. post.setConfig(config);
  7. post.setHeader("User-Agent",
  8. "Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/45.0.2454.93 Safari/537.36");
  9. post.setHeader("Connection", "keep-alive");
  10. List<NameValuePair> list = new ArrayList<NameValuePair>();
  11. list.add(new BasicNameValuePair("key", "value"));
  12. list.add(new BasicNameValuePair("key", "value"));
  13. list.add(new BasicNameValuePair("key", "value"));
  14. list.add(new BasicNameValuePair("key", "value"));
  15. list.add(new BasicNameValuePair("key", "value"));
  16. try {
  17. HttpEntity entity = new UrlEncodedFormEntity(list, "utf-8");
  18. post.setEntity(entity);
  19. HttpResponse response = client.execute(post);
  20. String responseHtml = EntityUtils.toString(response.getEntity());
  21. System.out.println(responseHtml);
  22. } catch (IOException e) {
  23. e.printStackTrace();
  24. }
  25. }

大致流程:新建post对象->新建需要的表单页->将表单内容设置入请求中->执行并获得response

四:解析response:

得到html code:

  1. String responseHtml = EntityUtils.toString(response.getEntity());

得到http状态码:

  1. int statusCode = response.getStatusLine().getStatusCode();// 连接返回状态代码,200,400等
  2. System.out.println(response.getProtocolVersion());//HTTP/1.1

  3. System.out.println(response.getStatusLine().getReasonPhrase());//OK

  4. System.out.println(response.getStatusLine().toString());//HTTP/1.1 200 OK

得到response header:

  1. response.getFirstHeader("key");// 得到第一个名字为key的header
  2. response.getHeaders("key");// 得到名字为key的所有header,返回一个数组
  3. response.getLastHeader("key");

得到inputstream:(下载网络部分资源的时候有可能会对cookie有要求,此时需要用到httpClient来下载。)例如验证码等等。

  1. InputStream inputStream = response.getEntity().getContent();

五:管理cookie:

httpClient里默认自动管理cookie,如果想要提取cookie或者发送自定义的cookie,则需要在httpClient对象初始化时设置一个默认的cookiestore来保存。(方法见初始化httpClient对象里的setDefaultCookieStore)。

得到当前所有cookie:

  1. List<Cookie> list = cookieStore.getCookies();// get all cookies
  2. System.out.println("cookie is:");
  3. System.out.println("-----------------------");
  4. for (Cookie cookie : list) {
  5. System.out.println(cookie);
  6. }
  7. System.out.println("-----------------------");

清除所有cookie:

  1. cookieStore.clear();

发送自定义cookie:(new了一个对象之后可以设置多种属性。)

  1. BasicClientCookie cookie = new BasicClientCookie("name", "value");
  2. // new a cookie
  3. cookie.setDomain("domain");
  4. cookie.setExpiryDate(new Date());
  5. // set the properties of the cookie
  6. cookieStore.addCookie(cookie);

最后通过按得到addCookie将其加入cookieStore。(如有相同的name的cookie将会覆盖,个人觉得类似hashmap的put操作。)

六:管理header:

在平常抓取过程中,经常需要在请求中加入许多header伪装成一个正常的浏览器。以免被服务器认出是爬虫而被封。

设置一些常见header:

  1. post.setHeader("User-Agent",
  2. "Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/45.0.2454.93 Safari/537.36");
  3. post.setHeader("Connection", "keep-alive");

注意:下载某些网站的资源时,服务器会获取你的来源站,并发出对应的相应。如果来源站不对,可能会被服务器拒绝。此时只需要在请求中加个header就行。

  1. get1.setHeader("Referer", "http://www.a.com");
  2. response.addHeader("Set-Cookie",
    "c1=a; path=/; domain=localhost");

  3. response.addHeader("Set-Cookie",
    "c2=b; path=\"/\", c3=c; domain=\"localhost\"");

  4. Header h1 = response.getFirstHeader("Set-Cookie");
    System.out.println(h1);//Set-Cookie: c1=a; path=/; domain=localhost

  5. Header h2 = response.getLastHeader("Set-Cookie");
    System.out.println(h2);//Set-Cookie: c2=b; path="/", c3=c; domain="localhost"

  6. Header[] hs = response.getHeaders("Set-Cookie");
    System.out.println(hs.length);//2

  7. HeaderIterator it = response.headerIterator("Set-Cookie");

    while (it.hasNext()) {
    System.out.println(it.next());
    }

  8. HeaderElementIterator it = new BasicHeaderElementIterator(
    response.headerIterator("Set-Cookie"));

    while (it.hasNext()) {
    HeaderElement elem = it.nextElement();
    System.out.println(elem.getName() + " = " + elem.getValue());
    NameValuePair[] params = elem.getParameters();
    for (int i = 0; i < params.length; i++) {
    System.out.println(" " + params[i]);
    }
    }

HTTP实体

HTTP消息可以包含内容实体,HTTP定义了两个实体封装请求方法:PUT和POST。HttpClient依靠内容的来源来区分三种实体。
streamed:内容来源于流或者动态生成,特别是,包含从HTTP响应接收的实体,streamed实体一般不可重复生成的。
self-contained:内容位于内存中或者是可获得的,意味着它是独立于连接和其他实体的,Self-contained实体一般可重复,这种类型的实体大都用于HTTP请求的封装。
wrapping:内容来源于其他实体。
对于连接管理来说,当从HTTP响应中用流输出内容的时候这些区分的重要的。对于仅仅由应用程序创建并且用HttpClient发送的请求实体来说,streamed和self-contained的区别是不重要的。既然如此,那么就认为不可重复的实体是streamed,可重复的实体是self-contained。
可重复的实体,表示它的内容可以不止一次被读取,例如ByteArrayEntity和StringEntity。为了读取内容,任何人都可以使用HttpEntity#getContent()返回java.io.InputStream,或者用HttpEntity#writeTo(OutputStream)提供给输出流。
当实体通过一个收到的报文获取时,HttpEntity#getContentType()方法和HttpEntity#getContentLength()方法可以用来读取通用的元数据,如Content-Type和Content-Length头部信息(如果它们是可用的)。因为头部信息Content-Type可以包含对文本MIME类型的字符编码,比如text/plain或text/html,HttpEntity#getContentEncoding()方法用来读取这个信息。如果头部信息Content-Length不可用,那么就返回长度-1,而对于内容类型返回NULL。如果头部信息Content-Type是可用的,那么就会返回一个Header对象。

  1. StringEntity myEntity = new StringEntity("important message",
  2. ContentType.create("text/plain", "UTF-8"));
  3. System.out.println(myEntity.getContentType());
  4. System.out.println(myEntity.getContentLength());
  5. System.out.println(EntityUtils.toString(myEntity));
  6. System.out.println(EntityUtils.toByteArray(myEntity).length);

输出

  1. Content-Type: text/plain; charset=utf-8
  2. 17
  3. important message
  4. 17

确保低级别资源释放

为了确保适当地释放系统资源,任何人必须关闭实体相关的流或者response本身。关闭实体相关的流和response的区别是:前者是通过消耗实体内容保持连接可用,后者直接关闭和抛弃连接。请记住,HttpEntity#writeTo(OutputStream)一旦实体被完全写出,也需要保证系统资源适当地释放。 EntityUtils#consume(HttpEntity)可以保证实体内容被完全消耗并且底层的流被关闭。
  1. CloseableHttpClient httpclient = HttpClients.createDefault();
  2. HttpGet httpget = new HttpGet("http://localhost/");
  3. CloseableHttpResponse response = httpclient.execute(httpget);
  4. try {
  5. HttpEntity entity = response.getEntity();
  6. if (entity != null) {
  7. InputStream instream = entity.getContent();
  8. try {
  9. // do something useful
  10. } finally {
  11. instream.close();
  12. }
  13. }
  14. } finally {
  15. response.close();
  16. }

有些情况下,仅仅response的一小部分需要被取回并且消耗内容的剩余部分且保持连接可用的性能代价是很高的,这种情况下可以直接关闭response。

  1. CloseableHttpClient httpclient = HttpClients.createDefault();
  2. HttpGet httpget = new HttpGet("http://localhost/");
  3. CloseableHttpResponse response = httpclient.execute(httpget);
  4. try {
  5. HttpEntity entity = response.getEntity();
  6. if (entity != null) {
  7. InputStream instream = entity.getContent();
  8. int byteOne = instream.read();
  9. int byteTwo = instream.read();
  10. // Do not need the rest
  11. }
  12. } finally {
  13. response.close();
  14. }

消耗实体内容

推荐的消耗实体内容的方法是HttpEntity#getContent()和HttpEntity#writeTo(OutputStream),但是EntityUtils类有一些静态方法,这些方法可以更加容易地从实体中读取内容或信息。代替直接读取java.io.InputStream,也可以使用这个类中的方法以字符串/字节数组的形式获取整个内容体。然而,EntityUtils的使用是强烈不鼓励的,除非响应实体源自可靠的HTTP服务器和已知的长度限制。
  1. CloseableHttpClient httpclient = HttpClients.createDefault();
  2. HttpGet httpget = new HttpGet("http://localhost/");
  3. CloseableHttpResponse response = httpclient.execute(httpget);
  4. try {
  5. HttpEntity entity = response.getEntity();
  6. if (entity != null) {
  7. long len = entity.getContentLength();
  8. if (len != -1 && len < 2048) {
  9. System.out.println(EntityUtils.toString(entity));
  10. } else {
  11. // Stream content out
  12. }
  13. }
  14. } finally {
  15. response.close();
  16. }

在一些情况下可能会不止一次的读取实体。此时实体内容必须以某种方式在内存或磁盘上被缓冲起来。最简单的方法是通过使用BufferedHttpEntity类来包装源实体完成。这会引起源实体内容被读取到内存的缓冲区中。在其它所有方式中,实体包装器将会得到源实体。

  1. CloseableHttpResponse response = <...>
  2. HttpEntity entity = response.getEntity();
  3. if (entity != null) {
  4. entity = new BufferedHttpEntity(entity);
  5. }
 

生成实体内容

HttpClient提供一些类,它们可以用于通过HTTP连接有效地生成内容。这些类的实例可以和实体包装请求例如POST和PUT相关联以便包装实体内容。HttpClient提供了几个最为常见的数据容器,比如字符串,字节数组,输入流和文件提供了一些类:StringEntity,ByteArrayEntity,InputStreamEntity和FileEntity。请注意InputStreamEntity是不可重复的,因为它仅仅能从低层数据流中读取一次内容。通常来说,我们推荐实现一个定制的HttpEntity类,这是自我包含式的,用来代替使用通用的InputStreamEntity。FileEntity是一个很好的起点,FileEntity继承HttpEntity。
  1. File file = new File("somefile.txt");
  2. FileEntity entity = new FileEntity(file,
  3. ContentType.create("text/plain", "UTF-8"));
  4. HttpPost httppost = new HttpPost("http://localhost/action.do");
  5. httppost.setEntity(entity);

HTML表单

许多应用需要模拟表单提交,比如,想要记录一个Web应用程序或提交输入数据。HttpClient提供了实体类UrlEncodedFormEntity使之更容易实现。
  1. List<NameValuePair> formparams = new ArrayList<NameValuePair>();
  2. formparams.add(new BasicNameValuePair("param1", "value1"));
  3. formparams.add(new BasicNameValuePair("param2", "value2"));
  4. UrlEncodedFormEntity entity = new UrlEncodedFormEntity(formparams, Consts.UTF_8);
  5. HttpPost httppost = new HttpPost("http://localhost/handler.do");
  6. httppost.setEntity(entity);

内容分块

一般来说,推荐让HttpClient自己根据Http消息传递的特征来选择最合适的传输编码。当然,如果非要手动控制也是可以的,设置HttpEntity#setChunked()为true,可以分块传输,但是如果是HTTP/1.0,那么这个设置就会被忽略,值有HTTP/1.1才支持。

  1. StringEntity entity = new StringEntity("important message",
  2. ContentType.create("plain/text", Consts.UTF_8));
  3. entity.setChunked(true);
  4. HttpPost httppost = new HttpPost("http://localhost/acrtion.do");
  5. httppost.setEntity(entity);

response处理

最简单也是最方便的处理http响应的方法就是使用ResponseHandler接口,这个接口中有handleResponse(HttpResponse response)方法。使用这个方法,用户完全不用关心http连接管理器。当使用ResponseHandler时,HttpClient会自动地将Http连接释放给Http管理器,即使http请求失败了或者抛出了异常。
  1. CloseableHttpClient httpclient = HttpClients.createDefault();
  2. HttpGet httpget = new HttpGet("http://localhost/json");
  3. ResponseHandler<MyJsonObject> rh = new ResponseHandler<MyJsonObject>() {
  4. @Override
  5. public JsonObject handleResponse(
  6. final HttpResponse response) throws IOException {
  7. StatusLine statusLine = response.getStatusLine();
  8. HttpEntity entity = response.getEntity();
  9. if (statusLine.getStatusCode() >= 300) {
  10. throw new HttpResponseException(
  11. statusLine.getStatusCode(),
  12. statusLine.getReasonPhrase());
  13. }
  14. if (entity == null) {
  15. throw new ClientProtocolException("Response contains no content");
  16. }
  17. Gson gson = new GsonBuilder().create();
  18. ContentType contentType = ContentType.getOrDefault(entity);
  19. Charset charset = contentType.getCharset();
  20. Reader reader = new InputStreamReader(entity.getContent(), charset);
  21. return gson.fromJson(reader, MyJsonObject.class);
  22. }
  23. };
  24. MyJsonObject myjson = client.execute(httpget, rh);
 

HttpClient的接口

HttpClient的接口代表了请求执行过程中最基本的契约,HttpClient接口没有对Http请求的过程做特别的限制和详细的规定,连接管理、状态管理、认证处理和重定向处理这些功能都单独实现。这样就能更加容易地给接口添加额外的功能例如响应内容缓存。一般说来,HttpClient实际上就是一系列特殊的handler或者说策略接口的实现,这些handler(测试接口)负责着处理Http协议的某一方面,比如重定向、认证处理、有关连接持久性和keep alive持续时间的决策。这样就允许用户使用自定义的参数来代替默认配置,实现个性化的功能。
  1. ConnectionKeepAliveStrategy keepAliveStrat = new DefaultConnectionKeepAliveStrategy() {
  2. @Override
  3. public long getKeepAliveDuration(
  4. HttpResponse response,
  5. HttpContext context) {
  6. long keepAlive = super.getKeepAliveDuration(response, context);
  7. if (keepAlive == -1) {
  8. // Keep connections alive 5 seconds if a keep-alive value
  9. // has not be explicitly set by the server
  10. keepAlive = 5000;
  11. }
  12. return keepAlive;
  13. }
  14. };
  15. CloseableHttpClient httpclient = HttpClients.custom()
  16. .setKeepAliveStrategy(keepAliveStrat)
  17. .build();

HTTPCLIENT的线程安全性

HttpClient已经实现了线程安全。因此建议一个实例被多个请求重用。
 

HTTPCLIENT资源分配

当一个CloseableHttpClient的实例不再被使用,并且它的作用范围即将失效,和它相关的连接必须被关闭,关闭方法可以调用CloseableHttpClient的close()方法。
  1. CloseableHttpClient httpclient = HttpClients.createDefault();
  2. try {
  3. <...>
  4. } finally {
  5. httpclient.close();
  6. }

Http执行上下文

最初,Http被设计成一种无状态的、面向请求-响应的协议。然而,在实际使用中,我们希望能够在一些逻辑相关的请求-响应中,保持状态信息。为了使应用程序可以保持Http的持续状态,HttpClient允许http连接在特定的Http上下文中执行。如果在持续的http请求中使用了同样的上下文,那么这些请求就可以被分配到一个逻辑会话中。HTTP上下文就和一个java.util.Map<String, Object>功能类似。它实际上就是一个任意命名的值的集合。应用程序可以在Http请求执行前填充上下文的值,也可以在请求执行完毕后检查上下文。
HttpContext可以包含任意类型的对象,因此如果在多线程中共享上下文会不安全。建议每个线程都只包含自己的http上下文。
在Http请求执行的过程中,HttpClient会自动添加下面的属性到Http上下文中:
HttpConnection的实例,表示客户端与服务器之间的连接
HttpHost的实例,表示要连接的目标服务器
HttpRoute的实例,表示全部的连接路由
HttpRequest的实例,表示Http请求。在执行上下文中,最终的HttpRequest对象会代表http消息的状态。Http/1.0和Http/1.1都默认使用相对的uri。但是如果使用了非隧道模式的代理服务器,就会使用绝对路径的uri。
HttpResponse的实例,表示Http响应
java.lang.Boolean对象,表示是否请求被成功的发送给目标服务器
RequestConfig对象,表示http request的配置信息
java.util.List<Uri>对象,表示Http响应中的所有重定向地址
可以使用HttpClientContext这个适配器来简化和上下文状态交互的过程。
  1. HttpContext context = <...>
  2. HttpClientContext clientContext = HttpClientContext.adapt(context);
  3. HttpHost target = clientContext.getTargetHost();
  4. HttpRequest request = clientContext.getRequest();
  5. HttpResponse response = clientContext.getResponse();
  6. RequestConfig config = clientContext.getRequestConfig();

同一个逻辑会话中的多个Http请求,应该使用相同的Http上下文来执行,这样就可以自动地在http请求中传递会话上下文和状态信息。
在下面的例子中,我们在开头设置的参数,会被保存在上下文中,并且会应用到后续的http请求中。

  1. CloseableHttpClient httpclient = HttpClients.createDefault();
  2. RequestConfig requestConfig = RequestConfig.custom()
  3. .setSocketTimeout(1000)
  4. .setConnectTimeout(1000)
  5. .build();
  6. HttpGet httpget1 = new HttpGet("http://localhost/1");
  7. httpget1.setConfig(requestConfig);
  8. CloseableHttpResponse response1 = httpclient.execute(httpget1, context);
  9. try {
  10. HttpEntity entity1 = response1.getEntity();
  11. } finally {
  12. response1.close();
  13. }
  14. HttpGet httpget2 = new HttpGet("http://localhost/2");
  15. CloseableHttpResponse response2 = httpclient.execute(httpget2, context);
  16. try {
  17. HttpEntity entity2 = response2.getEntity();
  18. } finally {
  19. response2.close();
  20. }
 

HTTP协议拦截器

HTTP协议拦截器是一种实现一个特定的方面的HTTP协议的代码程序。通常情况下,协议拦截器会将一个或多个头消息加入到接收或者发送的消息中。协议拦截器也可以操作消息的内容实体—消息内容的压缩/解压缩就是个很好的例子。通常,这是通过使用“装饰”开发模式,一个包装实体类用于装饰原来的实体来实现。一个拦截器可以合并,形成一个逻辑单元。协议拦截器可以通过共享信息协作——比如处理状态——通过HTTP执行上下文。协议拦截器可以使用Http上下文存储一个或者多个连续请求的处理状态。通常,只要拦截器不依赖于一个特定状态的http上下文,那么拦截执行的顺序就无所谓。如果协议拦截器有相互依赖关系,必须以特定的顺序执行,那么它们应该按照特定的顺序加入到协议处理器中。协议处理器必须是线程安全的。类似于servlets,协议拦截器不应该使用实例变量,除非访问这些实例变量是同步的(线程安全的)。
下面是个例子,讲述了本地的上下文时如何在连续请求中记录处理状态的:
  1. CloseableHttpClient httpclient = HttpClients.custom()
  2. .addInterceptorLast(new HttpRequestInterceptor() {
  3. public void process(
  4. final HttpRequest request,
  5. final HttpContext context) throws HttpException, IOException {
  6. AtomicInteger count = (AtomicInteger) context.getAttribute("count");
  7. request.addHeader("Count", Integer.toString(count.getAndIncrement()));
  8. }
  9. })
  10. .build();
  11. AtomicInteger count = new AtomicInteger(1);
  12. HttpClientContext localContext = HttpClientContext.create();
  13. localContext.setAttribute("count", count);
  14. HttpGet httpget = new HttpGet("http://localhost/");
  15. for (int i = 0; i < 10; i++) {
  16. CloseableHttpResponse response = httpclient.execute(httpget, localContext);
  17. try {
  18. HttpEntity entity = response.getEntity();
  19. } finally {
  20. response.close();
  21. }
  22. }
 

异常处理

HttpClient会被抛出两种类型的异常,一种是java.io.IOException,当遇到I/O异常时抛出(socket超时,或者socket被重置);另一种是HttpException,表示Http失败,如Http协议使用不正确。通常认为,I/O错误时不致命、可修复的,而Http协议错误是致命了,不能自动修复的错误。请注意,HttpException如果被重新抛出成IOException的子类ClientProtocolException,就可以让用户在一个catch语句里同时处理I/O错误和协议错误。
 

HTTP传输安全

Http协议不能满足所有类型的应用场景,我们需要知道这点。Http是个简单的面向协议的请求/响应的协议,当初它被设计用来支持静态或者动态生成的内容检索,之前从来没有人想过让它支持事务性操作。例如,Http服务器成功接收、处理请求后,生成响应消息,并且把状态码发送给客户端,这个过程是Http协议应该保证的。但是,如果客户端由于读取超时、取消请求或者系统崩溃导致接收响应失败,服务器不会回滚这一事务。如果客户端重新发送这个请求,服务器就会重复的解析、执行这个事务。在一些情况下,这会导致应用程序的数据损坏和应用程序的状态不一致。即使Http当初设计是不支持事务操作,但是它仍旧可以作为传输协议为某些关键程序提供服务。为了保证Http传输层的安全性,系统必须保证应用层上的http方法的幂等性。
 

方法的幂等性

HTTP/1.1规范中是这样定义幂等方法的,[Methods can also have the property of "idempotence" in that (aside from error or expiration issues) the side-effects of N > 0 identical requests is the same as for a single request]。用其他话来说,应用程序需要做好准备,处理同一方法多次执行造成的影响。添加一个具有唯一性的id就能避免重复执行同一个逻辑请求,问题解决。请知晓,这个问题不只是HttpClient才会有,基于浏览器的应用程序也会遇到Http方法不幂等的问题。HttpClient默认把非实体方法get、head方法看做幂等方法,把实体方法post、put方法看做非幂等方法。
 

异常自动修复

默认情况下,HttpClient会尝试自动修复I/O异常。这种自动修复仅限于修复几个公认安全的异常。
HttpClient不会尝试修复任何逻辑或者http协议错误(即从HttpException衍生出来的异常)。
HttpClient会自动再次发送幂等的方法(如果首次执行失败)。
HttpClient会自动再次发送遇到transport异常的方法,前提是Http请求仍旧保持着连接(例如http请求没有全部发送给目标服务器,HttpClient会再次尝试发送)。
 

请求重试HANDLER

如果要自定义异常处理机制,我们需要实现HttpRequestRetryHandler接口。请注意,可以使用StandardHttpRequestRetryHandler替代默认的接口以便使那些在 RFC-2616定义的幂等性的请求方法安全的自动重试:GET, HEAD, PUT, DELETE, OPTIONS, TRACE。
  1. HttpRequestRetryHandler myRetryHandler = new HttpRequestRetryHandler() {
  2. public boolean retryRequest(
  3. IOException exception,
  4. int executionCount,
  5. HttpContext context) {
  6. if (executionCount >= 5) {
  7. // Do not retry if over max retry count
  8. return false;
  9. }
  10. if (exception instanceof InterruptedIOException) {
  11. // Timeout
  12. return false;
  13. }
  14. if (exception instanceof UnknownHostException) {
  15. // Unknown host
  16. return false;
  17. }
  18. if (exception instanceof ConnectTimeoutException) {
  19. // Connection refused
  20. return false;
  21. }
  22. if (exception instanceof SSLException) {
  23. // SSL handshake exception
  24. return false;
  25. }
  26. HttpClientContext clientContext = HttpClientContext.adapt(context);
  27. HttpRequest request = clientContext.getRequest();
  28. boolean idempotent = !(request instanceof HttpEntityEnclosingRequest);
  29. if (idempotent) {
  30. // Retry if the request is considered idempotent
  31. return true;
  32. }
  33. return false;
  34. }
  35. };
  36. CloseableHttpClient httpclient = HttpClients.custom()
  37. .setRetryHandler(myRetryHandler)
  38. .build();
 

中断请求

有时候由于目标服务器负载过高或者客户端目前有太多请求积压,http请求不能在指定时间内执行完毕。这时候终止这个请求,释放阻塞I/O的进程,就显得很必要。通过HttpClient执行的Http请求,在任何状态下都能通过调用HttpUriRequest的abort()方法来终止。这个方法是线程安全的,并且能在任何线程中调用。当Http请求被终止了,本线程(即使现在正在阻塞I/O)也会通过抛出一个InterruptedIOException异常,来释放资源。
 

重定向处理

HttpClient会自动处理所有类型的重定向,除了那些Http规范明确禁止的重定向。See Other (status code 303) redirects on POST and PUT requests are converted to GET requests as required by the HTTP specification. 可以使用自定义的重定向策略来放松Http规范对Post方法重定向的限制。
  1. LaxRedirectStrategy redirectStrategy = new LaxRedirectStrategy();
  2. CloseableHttpClient httpclient = HttpClients.custom()
  3. .setRedirectStrategy(redirectStrategy)
  4. .build();

HttpClient在请求执行过程中,经常需要重写请求的消息。 HTTP/1.0和HTTP/1.1都默认使用相对的uri路径。同样,原始的请求可能会被者多次的重定向。最终绝对路径可以使用原始的请求和上下文来构建。URIUtils#resolve可以用于构建绝对路径,产生最终的请求。这个方法包含了最后一个分片标识符或者原始请求。

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

ps:

1、爬虫也要遵守基本法,在多次请求的之中为了不给对方服务器造成负担(避免被封),尽量在请求间sleep一个随机数值。

2、爬取非英文网站时注意编码格式,国内一般为utf-8,也有一些是gb2312.获取时注意转码。

3、多获得一些可靠IP(备胎),一旦自身ip被封,赶快去找备胎。附带一个简单的判断网站是否需要代理方法:

  1. // 判断访问目标网站是否需要代理
  2. private boolean isNeedProxy() {
  3. boolean result = true;
  4. URL url;
  5. try {
  6. url = new URL("http://apkpure.com/");
  7. HttpURLConnection connection = (HttpURLConnection) url.openConnection();
  8. connection.setConnectTimeout(6000);
  9. // int i = connection.getResponseCode();
  10. int i = connection.getContentLength();
  11. if (i > 0) {
  12. result = false;
  13. }
  14. } catch (IOException e) {
  15. e.printStackTrace();
  16. }
  17. return result;
  18. }

httpclient4.5 的一些细节的更多相关文章

  1. Vue.js 和 MVVM 小细节

    MVVM 是Model-View-ViewModel 的缩写,它是一种基于前端开发的架构模式,其核心是提供对View 和 ViewModel 的双向数据绑定,这使得ViewModel 的状态改变可以自 ...

  2. vue2.0实践的一些细节

    最近用vue2.0做了个活动.做完了回头发现,好像并没有太多的技术难点,而自己好像又做了比较久...只能说效率有待提升啊...简单总结了一些比较细节的点. 1.对于一些已知肯定会有数据的模块,先用一个 ...

  3. 深入理解JS 执行细节

    javascript从定义到执行,JS引擎在实现层做了很多初始化工作,因此在学习JS引擎工作机制之前,我们需要引入几个相关的概念:执行环境栈.全局对象.执行环境.变量对象.活动对象.作用域和作用域链等 ...

  4. javaScript中的小细节-script标签中的预解析

    首先介绍预解析,虽然预解析字面意思很好理解,但是却是出坑出的最多的地方,也是bug经常会有的地方,利用好预解析的特性可以解决很多问题,并且提高代码的质量及数量,浏览器在解析代码前会把变量的声明和函数( ...

  5. 分享MSSQL、MySql、Oracle的大数据批量导入方法及编程手法细节

    1:MSSQL SQL语法篇: BULK INSERT [ database_name . [ schema_name ] . | schema_name . ] [ table_name | vie ...

  6. Android ScrollView监听滑动到顶部和底部的两种方式(你可能不知道的细节)

    Android ScrollView监听滑动到顶部和底部,虽然网上很多资料都有说,但是不全,而且有些细节没说清楚 使用场景: 1. 做一些复杂动画的时候,需要动态判断当前的ScrollView是否滚动 ...

  7. [更新设计]跨平台物联网通讯框架ServerSuperIO 2.0 ,功能、BUG、细节说明,以及升级思考过程!

    注:ServerSuperIO 2.0 还没有提交到开源社区,在内部测试!!! 1. ServerSuperIO(SSIO)说明 SSIO是基于早期工业现场300波特率通讯传输应用场景发展.演化而来. ...

  8. Oracle Sales Cloud:管理沙盒(定制化)小细节2——使用对象触发器更新数字字段

    在上一篇 "管理沙盒(定制化)小细节1" 的随笔中,我们使用公式法在 "业务机会" 对象(单头)上建立了 "利润合计" 字段,并将它等于 & ...

  9. Oracle Sales Cloud:管理沙盒(定制化)小细节1——利用公式创建字段并显示在前端页面

    Oracle Sales Cloud(Oracle 销售云)是一套基于Oracle云端的CRM管理系统.由于 Oracle 销售云是基于 Oracle 云环境的,它与传统的管理系统相比,显著特点之一便 ...

随机推荐

  1. HTML-Html开发之Viewport的使用

    近年来随着移动端的快速发展,越来越多传统的web应用需要适配移动终端,下面记录一下如何通过viewport实现简单的不同型号的手机端的适配问题.不过在此之前,介绍一下如何通过Chrome浏览器,调试在 ...

  2. 【转】6 Reasons Why JavaScript’s Async/Await Blows Promises Away (Tutorial)

    原文:https://hackernoon.com/6-reasons-why-javascripts-async-await-blows-promises-away-tutorial-c7ec105 ...

  3. CLS(公共语言规范)的CLSCompliant(跨语言调用)

    .net的一个很重要的特性就是跨语言的编程,用C#写的dll可以在VB.net里调用,例如:用C#写的一个类,编译到dll中,然后在VB.net中调用: using System;namespace  ...

  4. HTTP 头缓存Last-Modified,ETag,Expires

    http://www.jdon.com/40381 Last-Modified和Expires针对浏览器,而ETag则与客户端无关,所以可适合REST架构中.两者都应用在浏览器端的区别是:Expire ...

  5. 〖Android〗CM10.2编译错误解决

    错误1: hardware/samsung/exynos4/hal/libhdmi/SecHdmi/SecHdmiV4L2Utils.cpp: In function 'int android::hd ...

  6. 【laravel54】查看版本号3种方式

    1:最简单的用命令行实现>进入项目目录,执行 > php artisan --version 2:查看文件 vendor\laravel\framework\src\Illuminate\ ...

  7. Column count of mysql.user is wrong. Expected 43, found 42. Created with MySQL 50518, now running 50641. Please use mysql_upgrade to fix this error.

    出现问题: Column count of mysql.user is wrong. Expected 43, found 42. Created with MySQL 50518, now runn ...

  8. mysql 如何查看sql语句执行时间

    查看执行时间 1 show profiles; 2 show variables;查看profiling 是否是on状态: 3 如果是off,则 set profiling = 1: 4 执行自己的s ...

  9. nginx配置静态文件过期时间

    1. 编辑虚拟主机配置文件/usr/local/nginx/conf/vhosts/huangzhenping.conf 说明:采用location方式 1 2 3 4 5 6 7 8 9 10  l ...

  10. sql 百分比

    select [city], bfb=cast(cast(count(*)*100./(select count(*) from [UserBasicInfo]) as decimal(10,0)) ...