1. 线程的开销较大,如果每个任务都要创建一个线程,那么应用程序的效率要低很多;
为了解决这一问题,Android在1.5版本引入了AsyncTask. AsyncTask的特点是任务在主线程之外运行,而回调方法是在主线程中执行,这就有效地避免了使用Handler带来的麻烦。阅读AsyncTask的源码可知,AsyncTask是使用java.util.concurrent 框架来管理线程以及任务的执行的,concurrent框架是一个非常成熟,高效的框架,经过了严格的测试。这说明AsyncTask的设计很好的解决了匿名线程存在的问题。
子类必须实现抽象方法doInBackground(Params… p) ,在此方法中实现任务的执行工作,比如连接网络获取数据等。通常还应该实现onPostExecute(Result r)方法,因为应用程序关心的结果在此方法中返回。需要注意的是AsyncTask一定要在主线程中创建实例。
onPreExecute()当任务执行之前开始调用此方法,可以在这里显示进度对话框。
doInBackground(Params…)此方法在后台线程执行,完成任务的主要工作,通常需要较长的时间。在执行过程中可以调用publicProgress(Progress…)来更新任务的进度。
onProgressUpdate(Progress…)此方法在主线程执行,用于显示任务执行的进度。
onPostExecute(Result)此方法在主线程执行,任务执行的结果作为此方法的参数返回。
class GetImageTask extends AsyncTask<String, Void, Bitmap>{ InputStream is = null; @Override protected Bitmap doInBackground(String... params) { // TODO Auto-generated method stub URL myFileUrl = null; Bitmap bitmap = null; InputStream is = null; HttpURLConnection conn = null; try { myFileUrl = new URL(params[0]); } catch (MalformedURLException e) { e.printStackTrace(); } try { conn = (HttpURLConnection)myFileUrl .openConnection(); conn.setDoInput(true); conn.connect(); is =conn.getInputStream(); bitmap =BitmapFactory.decodeStream(is); is.close(); } catch (IOException e) { e.printStackTrace(); }finally{ try { if(is != null){ is.close(); } if( conn != null){ conn.disconnect(); } } catch (IOException e) { // TODO Auto-generated catch block e.printStackTrace(); } } return bitmap; } @Override protected void onCancelled() { // TODO Auto-generated method stub super.onCancelled(); } @Override protected void onPostExecute(Bitmap result) { // TODO Auto-generated method stub mImageAndTextView.setImage(result); mImageAndTextView.postInvalidate(0, 0 , mScreenWidth ,mImageHeight + 30); //只更新稍比图片大一些的区域 super.onPostExecute(result); } }
转载:http://android.662p.com/thread-240-1-1.html