【轉】連接MySQL數據庫(android,php,MySQL),mysqlandroid
管理MySQL數據庫最簡單和最便利的方式是PHP腳本。
運行PHP腳本使用HTTP協議和android系統連接。
我們以JSON格式編碼數據,因為Android和PHP都有現成的處理JSON函數。
下面示例代碼,根據給定的條件從數據庫讀取數據,轉換為JSON數據。
通過HTTP協議傳給android,android解析JSON數據。
定義在MySQL有以下表,並有一些數據
1 CREATE TABLE `people` (
2 `id` INT NOT NULL AUTO_INCREMENT PRIMARY KEY ,
3 `name` VARCHAR( 100 ) NOT NULL ,
4 `sex` BOOL NOT NULL DEFAULT '1',
5 `birthyear` INT NOT NULL
6 )
View Code
我們想要獲得在一個指定年出生的人的數據。
PHP代碼將是非常簡單的:連接到數據庫——運行一個SQL查詢,根據設定WHERE語句塊得到數據——轉換以JSON格式輸出
例如我們會有這種功能getAllPeopleBornAfter.php文件:
1 <?php
2 /* 連接到數據庫 */
3 mysql_connect("host","username","password");
4 mysql_select_db("PeopleData");
5 /* $_REQUEST['year']獲得Android發送的年值,拼接一個SQL查詢語句 */
6 $q=mysql_query("SELECT * FROM people WHERE birthyear>'".$_REQUEST['year']."'");
7 while($e=mysql_fetch_assoc($q))
8 $output[]=$e;
9 /* 轉換以JSON格式輸出 */
10 print(json_encode($output));
11
12 mysql_close();
13 ?>
View Code
Android部分只是稍微復雜一點:用HttpPost發送年值,獲取數據——轉換響應字符串——解析JSON數據。
最後使用它。
1 String result = "";
2 /* 設定發送的年值 */
3 ArrayList<NameValuePair> nameValuePairs = new ArrayList<NameValuePair>();
4 nameValuePairs.add(new BasicNameValuePair("year","1980"));
5
6 /* 用HttpPost發送年值 */
7 try{
8 HttpClient httpclient = new DefaultHttpClient();
9 HttpPost httppost = new HttpPost("http://example.com/getAllPeopleBornAfter.php");//上面php所在URL
10 httppost.setEntity(new UrlEncodedFormEntity(nameValuePairs));
11 HttpResponse response = httpclient.execute(httppost);
12 HttpEntity entity = response.getEntity();
13 InputStream is = entity.getContent();
14 }catch(Exception e){
15 Log.e("log_tag", "聯網錯誤 "+e.toString());
16 }
17 /* 轉換響應字符串 */
18 try{
19 BufferedReader reader = new BufferedReader(new InputStreamReader(is,"iso-8859-1"),8);//注意"iso-8859-1"編碼不支持中文。
20 /* 如需支持中文,設定MySQL為UTF8格式,在此也設置UTF8讀取 */
21 StringBuilder sb = new StringBuilder();
22 String line = null;
23 while ((line = reader.readLine()) != null) {
24 sb.append(line + "\n");
25 }
26 is.close();
27
28 result=sb.toString();
29 }catch(Exception e){
30 Log.e("log_tag", "轉換響應字符串錯誤 "+e.toString());
31 }
32
33 /* 解析JSON數據 */
34 try{
35 JSONArray jArray = new JSONArray(result);
36 for(int i=0;i<jArray.length();i++){
37 JSONObject json_data = jArray.getJSONObject(i);
38 Log.i("log_tag","id: "+json_data.getInt("id")+
39 ", name: "+json_data.getString("name")+
40 ", sex: "+json_data.getInt("sex")+
41 ", birthyear: "+json_data.getInt("birthyear")
42 );
43 }
44 }
45 }catch(JSONException e){
46 Log.e("log_tag", "解析JSON數據錯誤 "+e.toString());
47 }
View Code
注意:android4.0以上聯網代碼只能放在子線程