1. 概述.
- IntentService 是一个 Service.但是他里边包括了HandlerThread和一个Lopper和一个Handler
- 任务执行完后,IntentService 会自动停止,不需要我们去手动结束
- IntentService内部通过线程来执行耗时的操作.
*如果启动 IntentService 多次,那么每一个耗时操作会以工作队列的方式
在 IntentService 的 onHandleIntent 回调方法中执行,串行执行,执行完自动结束。
2.代码
大致原理就是.外界不断发送intent进IntentService.然后IntentService把外界的Intent在onStart方法中包装
成Message,发送给内部线程HandlerThread.最后的Handler执行handleMessage时传输到抽象函数,
外界实现onHandleIntent 这个函数.在HandlerThread线程中执行耗时操作.onHandleIntent执行完成后
IntentService自动stop自己.所以IntentService的好处是他里边的线程通过服务开启.
1l先来看IntentService的onCreate函数
public void onCreate() {
HandlerThread thread = new HandlerThread("IntentService[" + mName + "]");
thread.start(); //这里创建了一个HandlerThread 这是一个带有Lopper的线程.
mServiceLooper = thread.getLooper();
//把HandlerThread的Lopper发送给ServiceHandler,那么mServiceHandler发送的
消息就会加入在HandlerThread的lopper循环中.
则mServiceHandler的handleMessage也会执行在HandlerThread线程.
mServiceHandler = new ServiceHandler(mServiceLooper);
}
2.接着看下 ServiceHandler的具体实现
private final class ServiceHandler extends Handler {
public ServiceHandler(Looper looper) {
super(looper);
}
@Override
public void handleMessage(Message msg) {
//这是抽象方法,运行在HandlerThread线程里,我们实现这个方法来实现具体功能
onHandleIntent((Intent)msg.obj);
stopSelf(msg.arg1); //完成后停止service.
}
}
3.接着看IntentService的 onStart. onStartCommond 方法.
public void onStart(Intent intent, int startId) {
Message msg = mServiceHandler.obtainMessage();
msg.arg1 = startId;
msg.obj = intent;
//把外界的请求发到消息队列中.
mServiceHandler.sendMessage(msg);
}
public int onStartCommand(Intent intent, int flags, int startId) {
onStart(intent, startId);
return mRedelivery ? START_REDELIVER_INTENT : START_NOT_STICKY;
}
4.最后是退出方法
public void onDestroy() {
//消息队列终止循环.会通过MessageQueue发送一个空消息
,然后终止lopper的循环
mServiceLooper.quit();
}
最后看一下HandlerThread的核心方法
public void run() {
mTid = Process.myTid();
Looper.prepare(); //为本线程创建了一个Lopper和MessageQueue.
synchronized (this) {
mLooper = Looper.myLooper();
notifyAll();
}
Process.setThreadPriority(mPriority);
onLooperPrepared();
Looper.loop();//开启循环.接受message消息.
mTid = -1;
}