Android中AsyncTask的用法实例分享
* asynctask
看上去修改后的connect()方法已经可用了,但是这种匿名线程的方式是存在缺陷的:第一,线程的开销较大,如果每个任务都要创建一个线程,那么应用 程序的效率要低很多;第二,线程无法管理,匿名线程创建并启动后就不受程序的控制了,如果有很多个请求发送,那么就会启动非常多的线程,系统将不堪重负。 另外,前面已经看到,在新线程中更新ui还必须要引入handler,这让代码看上去非常臃肿。
为了解决这一问题,ophone在1.5版本引入了asynctask。asynctask的特点是任务在主线程之外运行,而回调方法是在主线程中执行, 这就有效地避免了使用handler带来的麻烦。阅读asynctask的源码可知,asynctask是使用java.util.concurrent 框架来管理线程以及任务的执行的,concurrent框架是一个非常成熟,高效的框架,经过了严格的测试。这说明asynctask的设计很好的解决了 匿名线程存在的问题。
asynctask是抽象类,子类必须实现抽象方法doinbackground(params... p) ,在此方法中实现任务的执行工作,比如连接网络获取数据等。通常还应该实现onpostexecute(result r)方法,因为应用程序关心的结果在此方法中返回。需要注意的是asynctask一定要在主线程中创建实例。asynctask定义了三种泛型类型 params,progress和result。
* params 启动任务执行的输入参数,比如http请求的url。
* progress 后台任务执行的百分比。
* result 后台执行任务最终返回的结果,比如string。
asynctask 的执行分为四个步骤,与前面定义的tasklistener类似。每一步都对应一个回调方法,需要注意的是这些方法不应该由应用程序调用,开发者需要做的就是实现这些方法。在任务的执行过程中,这些方法被自动调用。
* onpreexecute() 当任务执行之前开始调用此方法,可以在这里显示进度对话框。
* doinbackground(params...) 此方法在后台线程执行,完成任务的主要工作,通常需要较长的时间。在执行过程中可以调用publicprogress(progress...)来更新任务的进度。
* onprogressupdate(progress...) 此方法在主线程执行,用于显示任务执行的进度。
* onpostexecute(result) 此方法在主线程执行,任务执行的结果作为此方法的参数返回。
pagetask扩展了asynctask,在 doinbackground()方法中读取网页内容。pagetask的源代码如下所示:
// 设置三种类型参数分别为string,integer,string
class pagetask extends asynctask<string, integer, string> {
// 可变长的输入参数,与asynctask.exucute()对应
@override
protected string doinbackground(string... params) {
try {
httpclient client = new defaulthttpclient();
// params[0] 代表连接的url
httpget get = new httpget(params[0]);
httpresponse response = client.execute(get);
httpentity entity = response.getentity();
long length = entity.getcontentlength();
inputstream is = entity.getcontent();
string s = null;
if (is != null) {
bytearrayoutputstream baos = new bytearrayoutputstream();
byte[] buf = new byte[128];
int ch = -1;
int count = 0;
while ((ch = is.read(buf)) != -1) {
baos.write(buf, 0, ch);
count += ch;
if (length > 0) {
// 如果知道响应的长度,调用publishprogress()更新进度
publishprogress((int) ((count / (float) length) * 100));
}
// 为了在模拟器中清楚地看到进度,让线程休眠100ms
thread.sleep(100);
}
s = new string(baos.tobytearray()); }
// 返回结果
return s;
} catch (exception e) {
e.printstacktrace();
}
return null;
}
@override
protected void oncancelled() {
super.oncancelled();
}
@override
protected void onpostexecute(string result) {
// 返回html页面的内容
message.settext(result);
}
@override
protected void onpreexecute() {
// 任务启动,可以在这里显示一个对话框,这里简单处理
message.settext(r.string.task_started);
}
@override
protected void onprogressupdate(integer... values) {
// 更新进度
message.settext(values[0]);
}
}
执行pagetask非常简单,只需要调用如下代码。重新运行networkactivity,不但可以抓取网页的内容,还可以实时更新读取的进度。读者尝试读取一个较大的网页,看看百分比的更新情况。
pagetask task = new pagetask();
task.execute(url.gettext().tostring());
下载实例: testasync(jb51.net).rar
上一篇: Android需要提升权限的操作方法
下一篇: 樱桃作用今天告诉你
推荐阅读