http客戶端請求
注:主要是用於呼叫介面使用的http請求方法,分為post和get倆種。
HttpClient和HttpsURLConnection的區別:
/**
* 直接訪問請求時可以用HttpsURLConnection,但
* 可能需要使用者登入而且具有相應的許可權才可訪問該頁面。
* 在這種情況下,就需要涉及Session、Cookie的處理了,
* 如果打算使用HttpURLConnection來處理這些細節,
* 當然也是可能實現的,只是處理起來難度就大了。
為了更好地處理向Web站點請求,包括處理Session、Cookie等細節問題,
Apache開源組織提供了一個HttpClient專案,看它的名稱就知道,
它是一個簡單的HTTP客戶端(並不是瀏覽器),可以用於傳送HTTP請求,
接收HTTP響應。但不會快取伺服器的響應,
不能執行HTML頁面中嵌入的JavaScript程式碼;
也不會對頁面內容進行任何解析、處理。
簡單來說,HttpClient就是一個增強版的HttpURLConnection,
HttpURLConnection可以做的事情HttpClient全部可以做;
HttpURLConnection沒有提供的有些功能,
HttpClient也提供了,但它只是關注於如何傳送請求、接收
響應,以及管理HTTP連線。
使用HttpClient傳送請求、接收響應很簡單,只要如下幾步即可。
建立HttpClient物件。
如果需要傳送GET請求,建立HttpGet物件;如果需要傳送POST請求,建立HttpPost物件。
如果需要傳送請求引數,
可呼叫HttpGet、HttpPost共同的setParams(HetpParams params)方法來新增請求引數;
對於HttpPost物件而言,也可呼叫setEntity(HttpEntity entity)方法來設定請求引數。
呼叫HttpClient物件的execute(HttpUriRequest request)傳送請求,
執行該方法返回一個HttpResponse。
呼叫HttpResponse的getAllHeaders()、getHeaders(String name)等方法可獲取伺服器的響應頭;
呼叫HttpResponse的getEntity()方法可獲取HttpEntity物件,該物件包裝了伺服器的響應內容。
程式可通過該物件獲取伺服器的響應內容。
* @return
*/
public static String post(String url,Map<String, Object> params) throws ClientProtocolException, IOException
{String content = null;
List<NameValuePair> nameValuePairs = new ArrayList<NameValuePair>();
if(params!=null){
Set<String> keySet = params.keySet();
for(String key : keySet) {
nameValuePairs.add(new BasicNameValuePair(key, String.valueOf(params.get(key))));
}
}
CloseableHttpClient httpclient = HttpClientBuilder.create().build();
HttpPost httppost = new HttpPost(url);
httppost.setEntity(new UrlEncodedFormEntity(nameValuePairs,"utf-8"));
CloseableHttpResponse response = httpclient.execute(httppost);
if(200!=response.getStatusLine().getStatusCode()){
httppost.releaseConnection();
return null;
}
HttpEntity entity = response.getEntity();
content = EntityUtils.toString(entity, "utf-8");
httppost.releaseConnection();
return content;
}
public static String get(String url) throws ClientProtocolException, IOException
{
CloseableHttpClient httpclient = HttpClientBuilder.create().build();
//HttpGet httpget = new HttpGet("http://www.baidu.com/");
HttpGet httpget = new HttpGet(url);
RequestConfig requestConfig = RequestConfig.custom()
.setConnectionRequestTimeout(1000)
.setConnectTimeout(3000)
.setSocketTimeout(4000).build();
httpget.setConfig(requestConfig);
CloseableHttpResponse response = httpclient.execute(httpget);
System.out.println("StatusCode -> " + response.getStatusLine().getStatusCode());
if(200!=response.getStatusLine().getStatusCode()){
httpget.releaseConnection();
return null;
}
HttpEntity entity = response.getEntity();
String jsonStr = EntityUtils.toString(entity);//, "utf-8");
System.out.println(jsonStr);
httpget.releaseConnection();
return jsonStr;
}