1. 程式人生 > >HttpClient使用HttpGet進行json資料傳輸

HttpClient使用HttpGet進行json資料傳輸

專案中與對方進行資料互動時,對方提供了一套誇域json方式傳遞資料,並給出了一個js示例

Js程式碼  收藏程式碼
  1. $.getJSON(  
  2.     "http://www.----aspx?callback=?",  
  3.     {Name:"123",Pass:"123"},   
  4.     function(json){  
  5.         if(json.UserId==null){  
  6.             alert("NO");  
  7.         }else{  
  8.             alert(json.UserId);  
  9.         }  
  10.     }  
  11. );  

 但是此方法處理資料時,只能在頁面中進行,侷限性很大。因此在具體實施時,使用了HttpClient來代替。

Java程式碼  收藏程式碼
  1. import java.io.InputStreamReader;  
  2. import java.util.ArrayList;  
  3. import java.util.List;  
  4. import org.apache.http.HttpEntity;  
  5. import org.apache.http.HttpResponse;  
  6. import org.apache.http.HttpStatus;  
  7. import org.apache.http.NameValuePair;  
  8. import org.apache.http.client.HttpClient;  
  9. import org.apache.http.client.methods.HttpGet;  
  10. import org.apache.http.client.utils.URLEncodedUtils;  
  11. import org.apache.http.impl.client.DefaultHttpClient;  
  12. import org.apache.http.message.BasicNameValuePair;  
  13. import org.apache.http.protocol.HTTP;  
  14. import org.json.JSONException;  
  15. import org.json.JSONObject;  
  16. import org.json.JSONTokener;  
  17. /** 
  18.  * 使用HttpClient請求頁面並返回json格式資料. 
  19.  * 對方接收的也是json格式資料。 
  20.  * 因此使用HttpGet。 
  21.  * */  
  22. public class Json {  
  23.     public static void main(String[] args) throws JSONException {  
  24.         JSONObject json = new JSONObject();  
  25.         List<NameValuePair> params = new ArrayList<NameValuePair>();  
  26.         params.add(new BasicNameValuePair("Name""123"));  
  27.         params.add(new BasicNameValuePair("Pass""123"));  
  28.         //要傳遞的引數.  
  29.         String url = "http://www.----aspx?" + URLEncodedUtils.format(params, HTTP.UTF_8);  
  30.         //拼接路徑字串將引數包含進去  
  31.         json = get(url);  
  32.         System.out.println(json.get("UserId"));  
  33.     }  
  34.     public static JSONObject get(String url) {  
  35.         HttpClient client = new DefaultHttpClient();  
  36.         HttpGet get = new HttpGet(url);  
  37.         JSONObject json = null;  
  38.         try {  
  39.             HttpResponse res = client.execute(get);  
  40.             if (res.getStatusLine().getStatusCode() == HttpStatus.SC_OK) {  
  41.                 HttpEntity entity = res.getEntity();  
  42.                 json = new JSONObject(new JSONTokener(new InputStreamReader(entity.getContent(), HTTP.UTF_8)));  
  43.             }  
  44.         } catch (Exception e) {  
  45.             throw new RuntimeException(e);  
  46.         } finally{  
  47.             //關閉連線 ,釋放資源  
  48.             client.getConnectionManager().shutdown();  
  49.         }  
  50.         return json;  
  51.     }  
  52. }