本文作者:CodingBlock 文章链接:http://www.cnblogs.com/codingblock/p/8975114.html
在Android中有两个比较容易弄混的概念,Service和Thread,我们都知道这两个东西都可以执行后台任务,但要注意的是Service是跑在主线程中的,如果不做特殊处理是会阻塞主线程的,而IntentService正好弥补了这一点,在《Android查缺补漏--Service和IntentService》这篇博文中已经简单介绍过了IntentService的基本用法,本篇博文会将对IntentService的原理做一个简单的分析。
一、IntentService的初始化分析
IntentService是一种服务,可以很方便的执行后台异步任务,采用HandlerThread执行任务,当任务执行完毕后,IntentService自动退出。
相比于普通的Service,IntentService继承了Service,并在其内部创建了HandlerThread和Handler,其中HandlerThread用于执行耗时任务,可以查看IntentService的onCreate方法的源码:
@Override
public void onCreate() {
// TODO: It would be nice to have an option to hold a partial wakelock
// during processing, and to have a static startService(Context, Intent)
// method that would launch the service & hand off a wakelock.
super.onCreate();
HandlerThread thread = new HandlerThread("IntentService[" + mName + "]");
thread.start();
mServiceLooper = thread.getLooper();
mServiceHandler = new ServiceHandler(mServiceLooper);
}
通过源码可以看到,IntentService在onCreate()方法中创建了一个HandlerThread,并为这个HandlerThread绑定了一个Handler(ServiceHandler)。
注:HandlerThread 是一种具有消息循环的线程,在其内部可以使用handler,其底层实现是内部创建了Looper的线程。
二、IntentService启动任务过程分析
外界首次调用startService方法来启动IntentService时,就会触发onCreate()方法,完成上面操作。
当外界每次触发onStart方法时,就会在此方法里面通过ServiceHandler向HandlerThread线程发送消息,onStart方法的源码如下:
@Override
public void onStart(@Nullable Intent intent, int startId) {
Message msg = mServiceHandler.obtainMessage();
msg.arg1 = startId;
msg.obj = intent;
mServiceHandler.sendMessage(msg);
}
当上面源码中的mServiceHandler.sendMessage方法发送完消息后,在ServiceHandler的handlerMessage方法中就会调用onHandleIntent方法来执行我们创建的异步任务,当执行完onHandleIntent中的代码就会使用stopSelf(msg.arg1)尝试关闭Service。
private final class ServiceHandler extends Handler {
public ServiceHandler(Looper looper) {
super(looper);
}
@Override
public void handleMessage(Message msg) {
onHandleIntent((Intent)msg.obj);
stopSelf(msg.arg1);
}
}
由于HandlerThread只是一个单线程,所以是串行处理任务。
(stopSelf():立即停止服务。stopSelf(int startId):尝试停止服务,当还有其他消息未处理,会等待其他消息处理完后再关闭)
三、IntentService优势
- 由于IntentService是一个服务,所以在执行后台任务时不容易被杀死,想比而言单纯的开启一个线程来执行后台任务,由于这个进程中没有活动的四大组件,所以非常容易被系统杀死。
- 其实在普通的Service中开启一个线程也能达到IntentService的效果,只是这样我们用起来更方便,那么在Service中开启线程或者使用IntentService相比在Activity中开启线程有什么优势呢?在Activity中开启了线程后,当退出了Activity时如果线程中的任务没有执行完毕,线程是不会退出的。而此时再打开同一个Activity又会创建一个新的线程,就是说在Activity中创建的线程不会随着Activity的销毁而销毁,是不可控的。而如果我们在Service中创建了线程,然后如果线程中的任务没有执行完毕,我们可以让Service一直运行在后台去承载这个线程,这样的话我们以后在想操作这个线程的话就可以在外界通过bindService的方式再绑定这个Service,从而可以控制运行在这个Service中的线程。
本文作者:CodingBlock 文章链接:http://www.cnblogs.com/codingblock/p/8975114.html
本文为博客园首发并已同步授权给腾讯云·云+社区!