標籤:
1、伺服器後台使用Servlet開發,這裡不再介紹。
2、網路開發不要忘記在設定檔中添加訪問網路的許可權
<uses-permission android:name="android.permission.INTERNET"/>
3、網路請求、處理不能在主線程中進行,一定要在子線程中進行。因為網路請求一般有1~3秒左右的延時,在主線程中進行造成主線程的停頓,對使用者體驗來說是致命的。(主線程應該只進行UI繪製,像網路請求、資源下載、各種耗時操作都應該放到子線程中)。
4、
public class GetActivity extends Activity { private TextView mTvMsg; private String result; @Override protected void onCreate(Bundle savedInstanceState) { // TODO Auto-generated method stub requestWindowFeature(Window.FEATURE_NO_TITLE); super.onCreate(savedInstanceState); setContentView(R.layout.activity_get); initView(); } private void initView(){ mTvMsg = (TextView) findViewById(R.id.tv_servlet_msg); new Thread(getThread).start(); } private Thread getThread = new Thread(){ public void run() { HttpURLConnection connection = null; try { URL url = new URL("http://192.168.23.1:8080/TestProject/GetTest"); connection = (HttpURLConnection) url.openConnection(); // 佈建要求方法,預設是GET connection.setRequestMethod("GET"); // 設定字元集 connection.setRequestProperty("Charset", "UTF-8"); // 設定檔案類型 connection.setRequestProperty("Content-Type", "text/xml; charset=UTF-8"); // 佈建要求參數,可通過Servlet的getHeader()擷取 connection.setRequestProperty("Cookie", "AppName=" + URLEncoder.encode("你好", "UTF-8")); // 設定自訂參數 connection.setRequestProperty("MyProperty", "this is me!"); if(connection.getResponseCode() == 200){ InputStream is = connection.getInputStream(); result = StringStreamUtil.inputStreamToString(is); Message msg = Message.obtain(); msg.what = 0; getHandler.sendMessage(msg); } } catch (IOException e) { // TODO Auto-generated catch block e.printStackTrace(); } finally { if(connection != null){ connection.disconnect(); } } }; }; private Handler getHandler = new Handler(){ public void handleMessage(android.os.Message msg) { if(msg.what == 0 && result!=null){ mTvMsg.setText(result); } }; };}
5、
6、請求參數可以通過URLEncoder.encode("你好", "UTF-8")進行編碼,URLDecoder.decode("", "UTF-8")進行解碼。這裡URLEncoder會對等號"="進行編碼,因此只能對參數進行多次編碼。
7、這裡可以通過connection.setRequestProperty("MyProperty", "this is me!")進行參數傳遞,通過Servlet的getHeader()獲得該參數。我想它的安全性應該比直接拼接到URL上面安全。
android網路編程之HttpUrlConnection的講解--GET請求