AsyncTask 源碼


//AsyncTask是個(gè)抽象類
public abstract class AsyncTask<Params, Progress, Result> {
  private static final String LOG_TAG = "AsyncTask";

  //Cpu數(shù)量胡陪,創(chuàng)建線程池使用
  private static final int CPU_COUNT = Runtime.getRuntime().availableProcessors();
  //核心線程合陵,創(chuàng)建線程池使用
    private static final int CORE_POOL_SIZE = CPU_COUNT + 1;
  //最大線程數(shù)量,創(chuàng)建線程池使用
    private static final int MAXIMUM_POOL_SIZE = CPU_COUNT * 2 + 1;
  //存活時(shí)間聚请,創(chuàng)建線程池使用
    private static final int KEEP_ALIVE = 1;

  //創(chuàng)建線程的工廠sThreadFactory伞广,創(chuàng)建線程池使用
  private static final ThreadFactory sThreadFactory = new ThreadFactory() {
      private final AtomicInteger mCount = new AtomicInteger(1);

      public Thread newThread(Runnable r) {
          return new Thread(r, "AsyncTask #" + mCount.getAndIncrement());
      }
  };

  //存放Runnable任務(wù)的隊(duì)列堰塌,創(chuàng)建線程池使用
  private static final BlockingQueue<Runnable> sPoolWorkQueue =
          new LinkedBlockingQueue<Runnable>(128);


  //創(chuàng)建線程池THREAD_POOL_EXECUTOR, 實(shí)現(xiàn)多線程并行
  public static final Executor THREAD_POOL_EXECUTOR
          = new ThreadPoolExecutor(CORE_POOL_SIZE, MAXIMUM_POOL_SIZE, KEEP_ALIVE,
                  TimeUnit.SECONDS, sPoolWorkQueue, sThreadFactory);

  //自定義的串行線程池
  public static final Executor SERIAL_EXECUTOR = new SerialExecutor();

  //Message種類:發(fā)送結(jié)果
  private static final int MESSAGE_POST_RESULT = 0x1;
  //Message種類:發(fā)送進(jìn)度
  private static final int MESSAGE_POST_PROGRESS = 0x2;

  //默認(rèn)的線程池:串行的線程池
  private static volatile Executor sDefaultExecutor = SERIAL_EXECUTOR;
    
  //內(nèi)部的Handler
  private static InternalHandler sHandler;

  //WorkerRunnable是自定義的Callable,從參數(shù)猜測是用來存放傳進(jìn)來的參數(shù)和傳出去的結(jié)果
  private final WorkerRunnable<Params, Result> mWorker;
  
  //FutureTask是繼承至RunableFuture琼牧,可接收一個(gè)callable為參數(shù)恢筝,可以有返回結(jié)果,而且里面cancel(boolean mayInterruptIfRunning)可以取消任務(wù)
  private final FutureTask<Result> mFuture;

  //事件狀態(tài)
  private volatile Status mStatus = Status.PENDING;
  
  //是否取消任務(wù)
  private final AtomicBoolean mCancelled = new AtomicBoolean();
  
  //標(biāo)識任務(wù)是否被執(zhí)行過  
  private final AtomicBoolean mTaskInvoked = new AtomicBoolean();
    
  //串行的線程池巨坊,保證串行順序執(zhí)行任務(wù)
  private static class SerialExecutor implements Executor {
      final ArrayDeque<Runnable> mTasks = new ArrayDeque<Runnable>();
      Runnable mActive;

      public synchronized void execute(final Runnable r) {//將 Runnable加入到隊(duì)列中撬槽,再THREAD_POOL_EXECUTOR處理Runnable
          mTasks.offer(new Runnable() {
              public void run() {
                  try {
                      r.run();
                  } finally {//上面執(zhí)行完畢后才能執(zhí)行下一個(gè)任務(wù)
                      scheduleNext();
                  }
              }
          });
          if (mActive == null) {
              scheduleNext();
          }
      }

      protected synchronized void scheduleNext() {
          if ((mActive = mTasks.poll()) != null) {
              THREAD_POOL_EXECUTOR.execute(mActive);//使用THREAD_POOL_EXECUTOR處理Runnable
          }
      }
  }

  /**
   * Indicates the current status of the task. Each status will be set only once
   * during the lifetime of a task.
   * 每一種狀態(tài)只能改變一次,也就是說整個(gè)生命周期只能執(zhí)行一次任務(wù)
   */
  public enum Status {
      /**
       * Indicates that the task has not been executed yet.
       */
      PENDING,//待定狀態(tài)
      /**
       * Indicates that the task is running.
       */
      RUNNING,//執(zhí)行狀態(tài)
      /**
       * Indicates that {@link AsyncTask#onPostExecute} has finished.
       */
      FINISHED,//結(jié)束狀態(tài)
  }

  private static Handler getHandler() {
      synchronized (AsyncTask.class) {
          if (sHandler == null) {
              sHandler = new InternalHandler();//這里直接new Handler(),說明是在UI線程中進(jìn)行的趾撵,所以AsyncTask要在主線程初始化
          }
          return sHandler;
      }
  }

  /** @hide */
  public static void setDefaultExecutor(Executor exec) {//設(shè)置默認(rèn)線程池侄柔,可選串行和并行
      sDefaultExecutor = exec;
  }

  /**
   * Creates a new asynchronous task. This constructor must be invoked on the UI thread.
   */
  public AsyncTask() {  
      
      //mWork是繼承自callable,封裝成執(zhí)行doInBackground的單位
      mWorker = new WorkerRunnable<Params, Result>() {  
          public Result call() throws Exception {
              mTaskInvoked.set(true);//任務(wù)被執(zhí)行了

              Process.setThreadPriority(Process.THREAD_PRIORITY_BACKGROUND);//設(shè)置線程優(yōu)先級是后臺線程
              //noinspection unchecked
              Result result = doInBackground(mParams);//執(zhí)行doInBackground(),并保存結(jié)果
              Binder.flushPendingCommands();
              return postResult(result);//將結(jié)果發(fā)送出去
          }
      };
      //FutureTask使用Callable作為構(gòu)造函數(shù)的參數(shù)
      mFuture = new FutureTask<Result>(mWorker) {
          @Override
          protected void done() {
              try {
                  postResultIfNotInvoked(get());//返回結(jié)果: 如果mTaskInvoked==true占调,則不會返回結(jié)果暂题,因?yàn)樵趍Worker里面已經(jīng)返回了
              } catch (InterruptedException e) {
                  android.util.Log.w(LOG_TAG, e);
              } catch (ExecutionException e) {
                  throw new RuntimeException("An error occurred while executing doInBackground()",
                          e.getCause());
              } catch (CancellationException e) {
                  postResultIfNotInvoked(null);//取消執(zhí)行
              }
          }
      };
  }

  private void postResultIfNotInvoked(Result result) {
      final boolean wasTaskInvoked = mTaskInvoked.get();//檢查是否執(zhí)行過
      if (!wasTaskInvoked) {//未執(zhí)行過
          postResult(result);
      }
  }

  private Result postResult(Result result) {//將結(jié)果封裝在Message,發(fā)送給Handler處理
      @SuppressWarnings("unchecked")
      Message message = getHandler().obtainMessage(MESSAGE_POST_RESULT,
              new AsyncTaskResult<Result>(this, result));//將結(jié)果給內(nèi)部Handler處理
      message.sendToTarget();
      return result;
  }

  /**
   * Returns the current status of this task.
   * 
   * @return The current status.
   * 獲取目前狀態(tài)
   */
  public final Status getStatus() {
      return mStatus;
  }

  @WorkerThread //執(zhí)行的方法究珊,在線程池處理
  protected abstract Result doInBackground(Params... params);


  @MainThread //執(zhí)行前調(diào)用薪者,在UI線程執(zhí)行
  protected void onPreExecute() {
  }

  @SuppressWarnings({"UnusedDeclaration"})
  @MainThread  //執(zhí)行后調(diào)用,在UI線程執(zhí)行
  protected void onPostExecute(Result result) {
  }

  @SuppressWarnings({"UnusedDeclaration"})
  @MainThread //進(jìn)度改變剿涮,在UI線程執(zhí)行
  protected void onProgressUpdate(Progress... values) {
  }


  @SuppressWarnings({"UnusedParameters"})
  //  //執(zhí)行取消后調(diào)用的方法
  @MainThread 
  protected void onCancelled(Result result) {
      onCancelled();
  }    
  
  //執(zhí)行取消后調(diào)用的方法
  @MainThread  
  protected void onCancelled() {
  }

  /**
   * 檢查任務(wù)是否取消
   */
  public final boolean isCancelled() {
      return mCancelled.get();
  }

  /**
   * 取消任務(wù)
   */
  public final boolean cancel(boolean mayInterruptIfRunning) {
      mCancelled.set(true);
      return mFuture.cancel(mayInterruptIfRunning);
      //取消mFuture任務(wù)言津,不需要發(fā)送信息給handler,因?yàn)閙Future結(jié)束后取试,也會發(fā)送postResult給Handler悬槽,
      //Handler就可以根據(jù)mCancelled進(jìn)行處理
  }

  /**
   * 獲取任務(wù)執(zhí)行的結(jié)果
   */
  public final Result get() throws InterruptedException, ExecutionException {
      return mFuture.get();
  }

  /**
   * 最多等待為使計(jì)算完成所給定的時(shí)間之后,檢索其結(jié)果(如果結(jié)果可用),則返回
   */
  public final Result get(long timeout, TimeUnit unit) throws InterruptedException,
          ExecutionException, TimeoutException {
      return mFuture.get(timeout, unit);
  }

  /**
   * execute調(diào)用executeOnExecutor
   */
  @MainThread
  public final AsyncTask<Params, Progress, Result> execute(Params... params) {
      return executeOnExecutor(sDefaultExecutor, params);//使用默認(rèn)的線程池
  }

  /**
   * 分析的入口
   */
  @MainThread
  public final AsyncTask<Params, Progress, Result> executeOnExecutor(Executor exec,
          Params... params) {
      //檢查狀態(tài)
      if (mStatus != Status.PENDING) {
          switch (mStatus) {
              case RUNNING:
                  throw new IllegalStateException("Cannot execute task:"
                          + " the task is already running.");
              case FINISHED:
                  throw new IllegalStateException("Cannot execute task:"
                          + " the task has already been executed "
                          + "(a task can be executed only once)");
          }
      }
      //將狀態(tài)設(shè)置為運(yùn)行,在workRunnable執(zhí)行的時(shí)候也會設(shè)置為running狀態(tài)
      mStatus = Status.RUNNING;
      
      //可見onPreExecute是在主線程進(jìn)行
      onPreExecute();
      //將參數(shù)也賦進(jìn)去
      mWorker.mParams = params;
      
      //加入線程池執(zhí)行
      exec.execute(mFuture);

      return this;
  }
  
//如果參數(shù)是runnable瞬浓,直接通過默認(rèn)的線程池執(zhí)行初婆,跟普通線程池運(yùn)行差不多
  @MainThread
  public static void execute(Runnable runnable) {
      sDefaultExecutor.execute(runnable);
  }

  /**
   * 改變進(jìn)度,可以在doInbackground調(diào)用
   */
  @WorkerThread
  protected final void publishProgress(Progress... values) {
      if (!isCancelled()) {
          getHandler().obtainMessage(MESSAGE_POST_PROGRESS,
                  new AsyncTaskResult<Progress>(this, values)).sendToTarget();
      }
  }

  //任務(wù)結(jié)束,這個(gè)方法是在Handler里面調(diào)用
  private void finish(Result result) {
      if (isCancelled()) {
          onCancelled(result);//執(zhí)行取消
      } else {
          onPostExecute(result);//任務(wù)完成
      }
      mStatus = Status.FINISHED;
  }

  //內(nèi)部定義的Handler
  private static class InternalHandler extends Handler {
      public InternalHandler() {
          super(Looper.getMainLooper());//獲取Looper
      }

      @SuppressWarnings({"unchecked", "RawUseOfParameterizedType"})
      @Override
      public void handleMessage(Message msg) {//對AsyncTaskResult進(jìn)行處理
          AsyncTaskResult<?> result = (AsyncTaskResult<?>) msg.obj;
          switch (msg.what) {
              case MESSAGE_POST_RESULT://任務(wù)結(jié)束
                  // There is only one result
                  result.mTask.finish(result.mData[0]);
                  break;
              case MESSAGE_POST_PROGRESS://改變進(jìn)度
                  result.mTask.onProgressUpdate(result.mData);
                  break;
          }
      }
  }

  //自定義的帶有參數(shù)的Callable
  private static abstract class WorkerRunnable<Params, Result> implements Callable<Result> {
      Params[] mParams;
  }
  
  //封裝的返回結(jié)果磅叛,主要給handler使用的
  @SuppressWarnings({"RawUseOfParameterizedType"})
  private static class AsyncTaskResult<Data> {
      final AsyncTask mTask;
      final Data[] mData;

      AsyncTaskResult(AsyncTask task, Data... data) {
          mTask = task;
          mData = data;
      }
  }
}

總結(jié): 好累屑咳,下次再總結(jié)吧...

最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個(gè)濱河市弊琴,隨后出現(xiàn)的幾起案子乔宿,更是在濱河造成了極大的恐慌,老刑警劉巖访雪,帶你破解...
    沈念sama閱讀 206,126評論 6 481
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件,死亡現(xiàn)場離奇詭異掂林,居然都是意外死亡臣缀,警方通過查閱死者的電腦和手機(jī),發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 88,254評論 2 382
  • 文/潘曉璐 我一進(jìn)店門泻帮,熙熙樓的掌柜王于貴愁眉苦臉地迎上來精置,“玉大人,你說我怎么就攤上這事锣杂≈耄” “怎么了?”我有些...
    開封第一講書人閱讀 152,445評論 0 341
  • 文/不壞的土叔 我叫張陵元莫,是天一觀的道長赖阻。 經(jīng)常有香客問我,道長踱蠢,這世上最難降的妖魔是什么火欧? 我笑而不...
    開封第一講書人閱讀 55,185評論 1 278
  • 正文 為了忘掉前任,我火速辦了婚禮茎截,結(jié)果婚禮上苇侵,老公的妹妹穿的比我還像新娘。我一直安慰自己企锌,他們只是感情好榆浓,可當(dāng)我...
    茶點(diǎn)故事閱讀 64,178評論 5 371
  • 文/花漫 我一把揭開白布。 她就那樣靜靜地躺著撕攒,像睡著了一般陡鹃。 火紅的嫁衣襯著肌膚如雪。 梳的紋絲不亂的頭發(fā)上打却,一...
    開封第一講書人閱讀 48,970評論 1 284
  • 那天杉适,我揣著相機(jī)與錄音,去河邊找鬼柳击。 笑死猿推,一個(gè)胖子當(dāng)著我的面吹牛,可吹牛的內(nèi)容都是我干的。 我是一名探鬼主播蹬叭,決...
    沈念sama閱讀 38,276評論 3 399
  • 文/蒼蘭香墨 我猛地睜開眼藕咏,長吁一口氣:“原來是場噩夢啊……” “哼!你這毒婦竟也來了秽五?” 一聲冷哼從身側(cè)響起孽查,我...
    開封第一講書人閱讀 36,927評論 0 259
  • 序言:老撾萬榮一對情侶失蹤,失蹤者是張志新(化名)和其女友劉穎坦喘,沒想到半個(gè)月后盲再,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體,經(jīng)...
    沈念sama閱讀 43,400評論 1 300
  • 正文 獨(dú)居荒郊野嶺守林人離奇死亡瓣铣,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點(diǎn)故事閱讀 35,883評論 2 323
  • 正文 我和宋清朗相戀三年答朋,在試婚紗的時(shí)候發(fā)現(xiàn)自己被綠了。 大學(xué)時(shí)的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片棠笑。...
    茶點(diǎn)故事閱讀 37,997評論 1 333
  • 序言:一個(gè)原本活蹦亂跳的男人離奇死亡梦碗,死狀恐怖,靈堂內(nèi)的尸體忽然破棺而出蓖救,到底是詐尸還是另有隱情洪规,我是刑警寧澤,帶...
    沈念sama閱讀 33,646評論 4 322
  • 正文 年R本政府宣布循捺,位于F島的核電站斩例,受9級特大地震影響,放射性物質(zhì)發(fā)生泄漏巨柒。R本人自食惡果不足惜樱拴,卻給世界環(huán)境...
    茶點(diǎn)故事閱讀 39,213評論 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望洋满。 院中可真熱鬧晶乔,春花似錦、人聲如沸牺勾。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,204評論 0 19
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽驻民。三九已至翻具,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間回还,已是汗流浹背裆泳。 一陣腳步聲響...
    開封第一講書人閱讀 31,423評論 1 260
  • 我被黑心中介騙來泰國打工, 沒想到剛下飛機(jī)就差點(diǎn)兒被人妖公主榨干…… 1. 我叫王不留柠硕,地道東北人工禾。 一個(gè)月前我還...
    沈念sama閱讀 45,423評論 2 352
  • 正文 我出身青樓运提,卻偏偏與公主長得像,于是被迫代替她去往敵國和親闻葵。 傳聞我的和親對象是個(gè)殘疾皇子民泵,可洞房花燭夜當(dāng)晚...
    茶點(diǎn)故事閱讀 42,722評論 2 345

推薦閱讀更多精彩內(nèi)容