IntentService是Android中針對處理非同步請求而封裝的類,使用者只需要繼承IntentService,並重寫其中的onHandleIntent(Intent) 方法,實現自己的處理邏輯。其優勢在於:1,在單獨執行緒中處理,不會對主執行緒造成堵塞;2,任務完成後,自動停止執行緒,避免了記憶體消耗。 下面就大略分析一下其原理吧,public abstract class IntentService extends Service {}可以看到IntentService繼承自Service, 那麼就依據其生命週期來依次看一下其執行邏輯:
@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);
}
複製程式碼
可以看到在OnCreate()方法中只要做了兩件事情:一是建立了HandlerThread例項並啟動,二是使用建立的HandlerThread例項獲取Looper建立 ServiceHandler物件,那麼就來看一下ServiceHandler吧
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);
}
}
複製程式碼
很容易理解其中的思路,handleMessage 方法中呼叫了onHandleIntent ,這也是使用者唯一需要實現的方法,至此,思路已經十分清楚了,可以在 其onStart()方法中看到 @Override public void onStart(@Nullable Intent intent, int startId) { Message msg = mServiceHandler.obtainMessage(); msg.arg1 = startId; msg.obj = intent; mServiceHandler.sendMessage(msg); } 通過ServiceHandler傳送訊息,從而使得整個流程聯通,至此,大致關於其邏輯就可以明確了。