我有两个关于Android和PHP / MySQL之间关系的问题。
如果我使用的是版本3及以上版本,我需要在后台使用单独的线程进行连接吗?
是否有必要使用JSON来获取答案?
我在不使用多线程和JSON的情况下编写代码,但它仅适用于2.3及更高版本。我尝试了4.0和4.2,但它没有回复任何回复。
答案 0 :(得分:6)
您的第一个问题:
是。 始终执行网络任务或在后台花费时间的任何其他事项。最好的方法是使用AsyncTask
。 This article以更好的方式解释AsyncTask
方式,请仔细阅读。
与您的问题的评论相反,您应该使用单独的帖子的原因并不是因为您会得到NetworkOnMainThreadException
。这是因为这是一种更好的做法,因为它可以确保您的应用在执行网络任务时不会断断续续。主要任务还处理Activity
中的动画等,因此在主线程上执行X时间的任何任务,意味着应用程序在X时间内断断续续。
您的第二个问题:
不,没有必要使用JSON。您确实希望通过网页上的脚本(无论是PHP,Ruby,Python等)路由您的请求,而不是直接与您的数据库连接。这样,您就可以限制应用程序能够执行的操作,以及潜在黑客能够执行的操作。
就像我说的,没有必要使用JSON。但是,由于几个原因,它是从服务器获取信息到应用程序的最广泛接受的方式。最普遍的2是:
[{'id':11,'name':'Bob'},{'id':42,'name':'Sally'}]
要在Android应用中解析此问题,您可以执行以下操作:
public List<Person> parseJson(String jsonString) {
// Initialize the ArrayList we're gonna store the people in
List<Person> people = new ArrayList<Person>();
try {
// Convert the JSON from text (String) to a JSON Array, so we can
// more easily traverse it
JSONArray rootArray = new JSONArray(jsonString);
// loop through the prople in the JSON Array
for(int i=0; i<rootArray.length();
// Get the object at position i from the JSON Array
JSONObject workingObj = rootArray.get(i);
// Do what you have to to store the data. In this example,
// I'm using a class called 'Person' which has setters for Id and Name
Person p = new Person();
// Get all the info you need from the JSON Object. As you can see
// in the JSON snippet, we have an integer with key 'id' and a
// string with key 'name'
p.setId(workingObj.getInt("id"));
p.setName(workingObj.getString("name"));
// add the Person p to the ArrayList
people.add(p);
}
} catch (JSONException e) {
// properly handle all exceptions!
}
return people;
}
如您所见,所有解析都是为您完成的,您只需要适应数据结构。