HttpClient_4 用法 由HttpClient_3 升級到 HttpClient_4 必看

HttpClient程序包是一個實現了 HTTP 協議的客戶端編程工具包,要想熟練的掌握它,必須熟悉 HTTP協議。一個最簡單的調用以下:
 
import java.io.IOException;
import org.apache.http.HttpResponse;
import org.apache.http.client.ClientProtocolException;
import org.apache.http.client.HttpClient;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.client.methods.HttpUriRequest;
import org.apache.http.impl.client.DefaultHttpClient;
 
public class Test {
    public static void main(String[] args) {
 
       // 核心應用類
       HttpClient httpClient = new DefaultHttpClient();
 
        // HTTP請求
        HttpUriRequest request =
                new HttpGet("http://localhost/index.html");
 
        // 打印請求信息
        System.out.println(request.getRequestLine());
        try {
            // 發送請求,返回響應
            HttpResponse response = httpClient.execute(request);
 
            // 打印響應信息
            System.out.println(response.getStatusLine());
        } catch (ClientProtocolException e) {
            // 協議錯誤
            e.printStackTrace();
        } catch (IOException e) {
            // 網絡異常
            e.printStackTrace();
        }
    }
}
 
若是HTTP服務器正常而且存在相應的服務,則上例會打印出兩行結果:
 
    GET http://localhost/index.html HTTP/1.1
    HTTP/1.1 200 OK 
 
核 心對象httpClient的調用很是直觀,其execute方法傳入一個request對象,返回一個response對象。使用 httpClient發出HTTP請求時,系統可能拋出兩種異常,分別是ClientProtocolException和IOException。第一 種異常的發生一般是協議錯誤致使,如在構造HttpGet對象時傳入的協議不對(例如不當心將」http」寫成」htp」),或者服務器端返回的內容不符 合HTTP協議要求等;第二種異常通常是因爲網絡緣由引發的異常,如HTTP服務器未啓動等。
從實際應用的角度看,HTTP協議由兩大部分組成:HTTP請求和HTTP響應。那麼HttpClient程序包是如何實現HTTP客戶端應用的呢?實現過程當中須要注意哪些問題呢?
HTTP請求
 
HTTP 1.1由如下幾種請求組成:GET, HEAD, POST, PUT, DELETE, TRACE and OPTIONS, 程序包中分別用HttpGet, HttpHead, HttpPost, HttpPut, HttpDelete, HttpTrace, and HttpOptions 這幾個類建立請求。全部的這些類均實現了HttpUriRequest接口,故能夠做爲execute的執行參數使用。
全部請求中最經常使用的是GET與POST兩種請求,與建立GET請求的方法相同,能夠用以下方法建立一個POST請求:
 
HttpUriRequest request = new HttpPost(
        "http://localhost/index.html");
 
 
HTTP請求格式告訴咱們,有兩個位置或者說兩種方式能夠爲request提供參數:request-line方式與request-body方式。
request-line
 
request-line方式是指在請求行上經過URI直接提供參數。
(1)
咱們能夠在生成request對象時提供帶參數的URI,如:
 
HttpUriRequest request = new HttpGet(
        "http://localhost/index.html?param1=value1&param2=value2");
 
(2)
另外,HttpClient程序包爲咱們提供了URIUtils工具類,能夠經過它生成帶參數的URI,如:
 
URI uri = URIUtils.createURI("http", "localhost", -1, "/index.html",
    "param1=value1&param2=value2", null);
HttpUriRequest request = new HttpGet(uri);
System.out.println(request.getURI());
 
上例的打印結果以下:
 
    http://localhost/index.html?param1=value1&param2=value2
 
(3)
須要注意的是,若是參數中含有中文,需將參數進行URLEncoding處理,如:
 
String param = "param1=" + URLEncoder.encode("中國", "UTF-8") + "&param2=value2";
URI uri = URIUtils.createURI("http", "localhost", 8080,
"/sshsky/index.html", param, null);
System.out.println(uri);
 
上例的打印結果以下:
 
    http://localhost/index.html?param1=%E4%B8%AD%E5%9B%BD&param2=value2
 
(4)
對於參數的URLEncoding處理,HttpClient程序包爲咱們準備了另外一個工具類:URLEncodedUtils。經過它,咱們能夠直觀的(可是比較複雜)生成URI,如:
 
List params = new ArrayList();
params.add(new BasicNameValuePair("param1", "中國"));
params.add(new BasicNameValuePair("param2", "value2"));
String param = URLEncodedUtils.format(params, "UTF-8");
URI uri = URIUtils.createURI("http", "localhost", 8080,
"/sshsky/index.html", param, null);
System.out.println(uri);
 
上例的打印結果以下:
 
    http://localhost/index.html?param1=%E4%B8%AD%E5%9B%BD&param2=value2
 
request-body
 
與 request-line方式不一樣,request-body方式是在request-body中提供參數,此方式只能用於POST請求。在 HttpClient程序包中有兩個類能夠完成此項工做,它們分別是UrlEncodedFormEntity類與MultipartEntity類。這 兩個類均實現了HttpEntity接口。
(1)
使用最多的是UrlEncodedFormEntity類。經過該類建立的對象能夠模擬傳統的HTML表單傳送POST請求中的參數。以下面的表單:
 
<form action="http://localhost/index.html" method="POST">
    <input type="text" name="param1" value="中國"/>
    <input type="text" name="param2" value="value2"/>
    <inupt type="submit" value="submit"/>
</form>
 
咱們能夠用下面的代碼實現:
 
List formParams = new ArrayList();
formParams.add(new BasicNameValuePair("param1", "中國"));
formParams.add(new BasicNameValuePair("param2", "value2"));
HttpEntity entity = new UrlEncodedFormEntity(formParams, "UTF-8");
 
HttpPost request = new HttpPost(「http://localhost/index.html」);
request.setEntity(entity);
 
固然,若是想查看HTTP數據格式,能夠經過HttpEntity對象的各類方法取得。如:
 
List formParams = new ArrayList();
formParams.add(new BasicNameValuePair("param1", "中國"));
formParams.add(new BasicNameValuePair("param2", "value2"));
UrlEncodedFormEntity entity = new UrlEncodedFormEntity(formParams, "UTF-8");
 
System.out.println(entity.getContentType());
System.out.println(entity.getContentLength());
System.out.println(EntityUtils.getContentCharSet(entity));
System.out.println(EntityUtils.toString(entity));
 
上例的打印結果以下:
 
    Content-Type: application/x-www-form-urlencoded; charset=UTF-8
    39
    UTF-8
    param1=%E4%B8%AD%E5%9B%BD&param2=value2 
 
(2)
除 了傳統的application/x-www-form-urlencoded表單,咱們另外一個常常用到的是上傳文件用的表單,這種表單的類型爲 multipart/form-data。在HttpClient程序擴展包(HttpMime)中專門有一個類與之對應,那就是 MultipartEntity類。此類一樣實現了HttpEntity接口。以下面的表單:
 
<form action="http://localhost/index.html" method="POST"
        enctype="multipart/form-data">
    <input type="text" name="param1" value="中國"/>
    <input type="text" name="param2" value="value2"/>
    <input type="file" name="param3"/>
    <inupt type="submit" value="submit"/>
</form>
 
咱們能夠用下面的代碼實現:
 
MultipartEntity entity = new MultipartEntity();
entity.addPart("param1", new StringBody("中國", Charset.forName("UTF-8")));
entity.addPart("param2", new StringBody("value2", Charset.forName("UTF-8")));
entity.addPart("param3", new FileBody(new File("C:\\1.txt")));
 
HttpPost request = new HttpPost(「http://localhost/index.html」);
request.setEntity(entity);
 
HTTP響應
 
HttpClient 程序包對於HTTP響應的處理較之HTTP請求來講是簡單多了,其過程一樣使用了HttpEntity接口。咱們能夠從 HttpEntity對象中取出數據流(InputStream),該數據流就是服務器返回的響應數據。須要注意的是,HttpClient程序包不負責 解析數據流中的內容。如:
 
HttpUriRequest request = ...;
HttpResponse response = httpClient.execute(request);
 
// 從response中取出HttpEntity對象
HttpEntity entity = response.getEntity();
 
// 查看entity的各類指標
System.out.println(entity.getContentType());
System.out.println(entity.getContentLength());
System.out.println(EntityUtils.getContentCharSet(entity));
 
// 取出服務器返回的數據流
InputStream stream = entity.getContent();
 
// 以任意方式操做數據流stream
// 調用方式 略
 
附註:
 
本文說明的是HttpClient 4.0.1,該程序包(包括依賴的程序包)由如下幾個JAR包組成:
 
commons-logging-1.1.1.jar
commons-codec-1.4.jar
httpcore-4.0.1.jar
httpclient-4.0.1.jar
apache-mime4j-0.6.jar
httpmime-4.0.1.jar
 
能夠在此處下載完整的JAR包。
 
 
 
 
如今Apache已經發布了:HttpCore 4.0-beta三、HttpClient 4.0-beta1。
到此處能夠去下載這些源代碼:http://hc.apache.org/downloads.cgi
另外,還須要apache-mime4j-0.5.jar 包。
 
在這裏先寫個簡單的POST方法,中文資料很少,英文不太好。
package test;
 
import java.util.ArrayList;
import java.util.List;
import org.apache.http.Header;
import org.apache.http.HttpEntity;
import org.apache.http.HttpResponse;
import org.apache.http.NameValuePair;
import org.apache.http.client.entity.UrlEncodedFormEntity;
import org.apache.http.client.methods.HttpPost;
import org.apache.http.client.params.CookiePolicy;
import org.apache.http.client.params.ClientPNames;
import org.apache.http.impl.client.DefaultHttpClient;
import org.apache.http.message.BasicNameValuePair;
import org.apache.http.protocol.HTTP;
import org.apache.http.util.EntityUtils;
 
public class Test2 {
    public static void main(String[] args) throws Exception {
        DefaultHttpClient httpclient = new DefaultHttpClient();      //實例化一個HttpClient
        HttpResponse response = null;
        HttpEntity entity = null;
        httpclient.getParams().setParameter(
                ClientPNames.COOKIE_POLICY, CookiePolicy.BROWSER_COMPATIBILITY);  //設置cookie的兼容性
        HttpPost httpost = new HttpPost("http://127.0.0.1:8080/pub/jsp/getInfo");           //引號中的參數是:servlet的地址
        List <NameValuePair> nvps = new ArrayList <NameValuePair>();                     
        nvps.add(new BasicNameValuePair("jqm", "fb1f7cbdaf2bf0a9cb5d43736492640e0c4c0cd0232da9de"));  
        //   BasicNameValuePair("name", "value"), name是post方法裏的屬性, value是傳入的參數值
        nvps.add(new BasicNameValuePair("sqm", "1bb5b5b45915c8"));
        httpost.setEntity(new UrlEncodedFormEntity(nvps, HTTP.UTF_8));            //將參數傳入post方法中
        response = httpclient.execute(httpost);                                               //執行
        entity = response.getEntity();                                                             //返回服務器響應
        try{
            System.out.println("----------------------------------------");
            System.out.println(response.getStatusLine());                           //服務器返回狀態
            Header[] headers = response.getAllHeaders();                    //返回的HTTP頭信息
            for (int i=0; i<headers.length; i++) {                              
            System.out.println(headers[i]);
            }
            System.out.println("----------------------------------------");
            String responseString = null;
            if (response.getEntity() != null) {
            responseString = EntityUtils.toString(response.getEntity());      / /返回服務器響應的HTML代碼
            System.out.println(responseString);                                   //打印出服務器響應的HTML代碼
            }
        } finally {
            if (entity != null)                          
            entity.consumeContent();                                                   // release connection gracefully
        }
        System.out.println("Login form get: " + response.getStatusLine());
        if (entity != null) {
        entity.consumeContent();
        }
       
    }
}
 
 
 
 
HttpClient4.0 學習實例 - 頁面獲取
 
HttpClient 4.0出來不久,因此網絡上面相關的實例教程很少,搜httpclient獲得的大部分都是基於原 Commons HttpClient 3.1 (legacy) 包的,官網下載頁面:http://hc.apache.org/downloads.cgi,若是你們看了官網說明就明白httpclient4.0是 從原包分支出來獨立成包的,之後原來那個包中的httpclient不會再升級,因此之後咱們是用httpclient新分支,因爲4.0與以前的3.1 包結構以及接口等都有較大變化,因此網上搜到的實例大部分都是不適合4.0的,固然,咱們能夠經過那些實例去琢磨4.0的用法,我也是新手,記錄下學習過 程方便之後檢索
 
本實例咱們來獲取抓取網頁編碼,內容等信息
 
默 認狀況下,服務器端會根據客戶端的請求頭信息來返回服務器支持的編碼,像google.cn他自己支持utf-8,gb2312等編碼,因此若是你在頭部 中不指定任何頭部信息的話他默認會返回gb2312編碼,而若是咱們在瀏覽器中直接訪問google.cn,經過httplook,或者firefox 的firebug插件查看返回頭部信息的話會發現他返回的是UTF-8編碼
 
下面咱們仍是看實例來解說吧,註釋等我也放代碼裏面解釋,放完整代碼,方便新手理解
 
本實例將
 
使用的httpclient相關包
httpclient-4.0.jar
httpcore-4.0.1.jar
httpmime-4.0.jar
commons-logging-1.0.4.jar等其它相關包
 
// HttpClientTest.java
package com.baihuo.crawler.test;
 
import java.util.regex.Matcher;
import java.util.regex.Pattern;
 
import org.apache.http.Header;
import org.apache.http.HttpEntity;
import org.apache.http.HttpHost;
import org.apache.http.HttpResponse;
import org.apache.http.client.HttpClient;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.impl.client.DefaultHttpClient;
import org.apache.http.util.EntityUtils;
 
class HttpClientTest {
 
    public final static void main(String[] args) throws Exception {
 
        // 初始化,此處構造函數就與3.1中不一樣
        HttpClient httpclient = new DefaultHttpClient();
 
        HttpHost targetHost = new HttpHost("www.google.cn");
        //HttpGet httpget = new HttpGet("http://www.apache.org/");
        HttpGet httpget = new HttpGet("/");
 
        // 查看默認request頭部信息
        System.out.println("Accept-Charset:" + httpget.getFirstHeader("Accept-Charset"));
        // 如下這條若是不加會發現不管你設置Accept-Charset爲gbk仍是utf-8,他都會默認返回gb2312(本例針對google.cn來講)
        httpget.setHeader("User-Agent", "Mozilla/5.0 (Windows; U; Windows NT 5.1; zh-CN; rv:1.9.1.2)");
        // 用逗號分隔顯示能夠同時接受多種編碼
        httpget.setHeader("Accept-Language", "zh-cn,zh;q=0.5");
        httpget.setHeader("Accept-Charset", "GB2312,utf-8;q=0.7,*;q=0.7");
        // 驗證頭部信息設置生效
        System.out.println("Accept-Charset:" + httpget.getFirstHeader("Accept-Charset").getValue());
 
        // Execute HTTP request
        System.out.println("executing request " + httpget.getURI());
        HttpResponse response = httpclient.execute(targetHost, httpget);
        //HttpResponse response = httpclient.execute(httpget);
 
        System.out.println("----------------------------------------");
        System.out.println("Location: " + response.getLastHeader("Location"));
        System.out.println(response.getStatusLine().getStatusCode());
        System.out.println(response.getLastHeader("Content-Type"));
        System.out.println(response.getLastHeader("Content-Length"));
        
        System.out.println("----------------------------------------");
 
        // 判斷頁面返回狀態判斷是否進行轉向抓取新連接
        int statusCode = response.getStatusLine().getStatusCode();
        if ((statusCode == HttpStatus.SC_MOVED_PERMANENTLY) ||
                (statusCode == HttpStatus.SC_MOVED_TEMPORARILY) ||
                (statusCode == HttpStatus.SC_SEE_OTHER) ||
                (statusCode == HttpStatus.SC_TEMPORARY_REDIRECT)) {
            // 此處重定向處理  此處還未驗證
            String newUri = response.getLastHeader("Location").getValue();
            httpclient = new DefaultHttpClient();
            httpget = new HttpGet(newUri);
            response = httpclient.execute(httpget);
        }
 
        // Get hold of the response entity
        HttpEntity entity = response.getEntity();
        
        // 查看全部返回頭部信息
        Header headers[] = response.getAllHeaders();
        int ii = 0;
        while (ii < headers.length) {
            System.out.println(headers[ii].getName() + ": " + headers[ii].getValue());
            ++ii;
        }
        
        // If the response does not enclose an entity, there is no need
        // to bother about connection release
        if (entity != null) {
            // 將源碼流保存在一個byte數組當中,由於可能須要兩次用到該流,
            byte[] bytes = EntityUtils.toByteArray(entity);
            String charSet = "";
            
            // 若是頭部Content-Type中包含了編碼信息,那麼咱們能夠直接在此處獲取
            charSet = EntityUtils.getContentCharSet(entity);
 
            System.out.println("In header: " + charSet);
            // 若是頭部中沒有,那麼咱們須要 查看頁面源碼,這個方法雖然不能說徹底正確,由於有些粗糙的網頁編碼者沒有在頁面中寫頭部編碼信息
            if (charSet == "") {
                regEx="(?=<meta).*?(?<=charset=[\\'|\\\"]?)([[a-z]|[A-Z]|[0-9]|-]*)";
                p=Pattern.compile(regEx, Pattern.CASE_INSENSITIVE);
                m=p.matcher(new String(bytes));  // 默認編碼轉成字符串,由於咱們的匹配中無中文,因此串中可能的亂碼對咱們沒有影響
                result=m.find();
                if (m.groupCount() == 1) {
                    charSet = m.group(1);
                } else {
                    charSet = "";
                }
            }
            System.out.println("Last get: " + charSet);
            // 至此,咱們能夠將原byte數組按照正常編碼專成字符串輸出(若是找到了編碼的話)
            System.out.println("Encoding string is: " + new String(bytes, charSet));
        }
 
        httpclient.getConnectionManager().shutdown();        
    }
 
}
相關文章
相關標籤/搜索