Handler機制淺析

本文我們主要是要介紹Handler機制,但是涉及到Handler又不得不介紹Message,MessageQueue,Looper,Handler機制主要是依賴后面幾個的,所以我們在文中會一次介紹到他們幾個。

通過本文你可能會了解到一下幾點

  • 1.Handler機制及Handler與Message,MessageQueue,Looper的關系
  • 2.Handler在子線程中的應用及原理
  • 3.Message的復用機制
  • 4.為什么主線程可以有死循環(loop())

Handler源碼位置:

android\frameworks\base\core\java\android\os\Handler.java

首先看他的構造:

    public Handler() {
        this(null, false);
    }

    public Handler(Callback callback) {
        this(callback, false);
    }

    public Handler(Looper looper) {
        this(looper, null, false);
    }

    public Handler(Looper looper, Callback callback) {
        this(looper, callback, false);
    }

    public Handler(boolean async) {
        this(null, async);
    }

    public Handler(Callback callback, boolean async) {
        if (FIND_POTENTIAL_LEAKS) {
            final Class<? extends Handler> klass = getClass();
            if ((klass.isAnonymousClass() || klass.isMemberClass() || klass.isLocalClass()) &&
                    (klass.getModifiers() & Modifier.STATIC) == 0) {
                Log.w(TAG, "The following Handler class should be static or leaks might occur: " +
                    klass.getCanonicalName());
            }
        }

        mLooper = Looper.myLooper();
        if (mLooper == null) {
            throw new RuntimeException(
                "Can't create handler inside thread that has not called Looper.prepare()");
        }
        mQueue = mLooper.mQueue;
        mCallback = callback;
        mAsynchronous = async;
    }

    public Handler(Looper looper, Callback callback, boolean async) {
        mLooper = looper;
        mQueue = looper.mQueue;
        mCallback = callback;
        mAsynchronous = async;
    }

一般我們都用的是無參的構造。先說一下那個Callback,他是一個接口:

    public interface Callback {
        public boolean handleMessage(Message msg);
    }

這是處理消息的一種手段,一般我們也很少用,因為我們都重寫了handleMessage方法,效果一樣的,我們主要從無參構造這條線看下去。

在無參構造中,直接調用了參數類型為Callback 和boolean 的構造。這里面他給Looper賦值為Looper.myLooper()。來看一下這個方法:

Looper源碼位置:

android\frameworks\base\core\java\android\os\Looper.java
    public static @Nullable Looper myLooper() {
        return sThreadLocal.get();
    }

    static final ThreadLocal<Looper> sThreadLocal = new ThreadLocal<Looper>();

這個方法實際上就是獲取當前線程的looper,ThreadLocal是Java的lang包中的類,他的set方法是在當前線程中保存一個對象,get是從當前線程中取出那個對象。這里存取的就是Looper。但這個Looper在哪存的呢?還是從源碼中找答案:

    public static void prepare() {
        prepare(true);
    }

    private static void prepare(boolean quitAllowed) {
        if (sThreadLocal.get() != null) {
            throw new RuntimeException("Only one Looper may be created per thread");
        }
        sThreadLocal.set(new Looper(quitAllowed));
    }

有些人看到這應該就明白了,這里也給出了另一個問題的答案,為什么在子線程中使用Handler或者Toast時要先調用Looper.prepare()。原來這個方法有一個重要的作用就是給當前線程設置Looper,如果不設置,就是null,當然會有問題。但為什么主線程中不需要呢?

這個問題要從app的創建說起,但具體的app啟動流程這里就不詳細敘述了,只說明一點,在啟動app的進程時,Zygote會通過socket接受AMS的請求,通過反射的方法調用ActivityThread的main方法,ActivityThread也就是一個應用的線程,也就是主線程,我們看一下這個方法:

    public static void main(String[] args) {
        ....

        Looper.prepareMainLooper();

        ActivityThread thread = new ActivityThread();
        ....
        Looper.loop();

        throw new RuntimeException("Main thread loop unexpectedly exited");
    }

這里調用了prepareMainLooper方法,它和prepare有什么區別呢?直接看源碼:

    public static void prepareMainLooper() {
        prepare(false);
        synchronized (Looper.class) {
            if (sMainLooper != null) {
                throw new IllegalStateException("The main Looper has already been prepared.");
            }
            sMainLooper = myLooper();
        }
    }

可見prepareMainLooper也是調用了prepare,只有參數的差別,一個為false一個為true。這個參數最后用到了Looper的構造上:

    private Looper(boolean quitAllowed) {
        mQueue = new MessageQueue(quitAllowed);
        mThread = Thread.currentThread();
    }

在構造上又傳給了MessageQueue。這個參數quitAllowed的作用在MessageQueue中很清楚:

android\frameworks\base\core\java\android\os\MessageQueue.java
    void quit(boolean safe) {
        if (!mQuitAllowed) {
            throw new IllegalStateException("Main thread not allowed to quit.");
        }

        ....
    }

只在這里用到了上文中的參數quitAllowed,也就是為true時,會報異常,異常也很清楚,就是主線程不允許調用quit退出,這個值只在調用prepareMainLooper方法時為true,我們用的時候都是調用prepare方法,也就是為false。

這里做一個小結,Looper.prepare()最主要的作用是初始化Looper,而Handler是基于Looper,一個線程創建后是沒有Looper,主線程也不例外,要想使用Handler就必須初始化,一般線程調用prepare方法,主線程調用prepareMainLooper。

下面我們還回到構造方法中去。

這里判斷了一下mLooper 是否為空,若為空拋異常,這也就是子線程中不能直接使用的直接來源。然后初始化了MessageQueue類型成員變量mQueue ,他從Looper中獲得,Looper中是在構造函數中初始化的。又初始化了成員變量mCallback ,當然我們這條線上他為空。最后初始化了標志位mAsynchronous ,我們這里為false,這個標志位的左后后面會提到。

到這里Handler的構造就完成了,除了初始化一些東西也沒做什么。我們一般用的時候在構造完之后,就是重寫handleMessage方法,用于處理接受到的消息。下面分析從發送消息到接受消息的流程。

先從最普通的sendMessage開始:

    public final boolean sendMessage(Message msg)
    {
        return sendMessageDelayed(msg, 0);
    }

    public final boolean sendMessageDelayed(Message msg, long delayMillis)
    {
        if (delayMillis < 0) {
            delayMillis = 0;
        }
        return sendMessageAtTime(msg, SystemClock.uptimeMillis() + delayMillis);
    }

發現sendMessage內部調用的是sendMessageDelayed,也就是延遲為0,很好理解。主要看sendMessageAtTime

    public boolean sendMessageAtTime(Message msg, long uptimeMillis) {
        MessageQueue queue = mQueue;
        if (queue == null) {
            RuntimeException e = new RuntimeException(
                    this + " sendMessageAtTime() called with no mQueue");
            Log.w("Looper", e.getMessage(), e);
            return false;
        }
        return enqueueMessage(queue, msg, uptimeMillis);
    }

    private boolean enqueueMessage(MessageQueue queue, Message msg, long uptimeMillis) {
        msg.target = this;
        if (mAsynchronous) {
            msg.setAsynchronous(true);
        }
        return queue.enqueueMessage(msg, uptimeMillis);
    }

這個里面先獲取了消息隊列,這個變量在構造中初始化,就是Looper中的隊列,在looper中的構造中初始化。接下來調用了enqueueMessage方法,這個方法里,首先設置Message 的target 為當前Handler,方便調用sendToTarget時使用。最后調用了MessageQueue 的enqueueMessage方法入隊。我們看一下這個方法,還是很有意思的:

    boolean enqueueMessage(Message msg, long when) {
        if (msg.target == null) {
            throw new IllegalArgumentException("Message must have a target.");
        }
        if (msg.isInUse()) {
            throw new IllegalStateException(msg + " This message is already in use.");
        }

        synchronized (this) {
            if (mQuitting) {
                IllegalStateException e = new IllegalStateException(
                        msg.target + " sending message to a Handler on a dead thread");
                Log.w(TAG, e.getMessage(), e);
                msg.recycle();
                return false;
            }

            msg.markInUse();
            msg.when = when;
            Message p = mMessages;
            boolean needWake;
            if (p == null || when == 0 || when < p.when) {
                msg.next = p;
                mMessages = msg;
                needWake = mBlocked;
            } else {
                needWake = mBlocked && p.target == null && msg.isAsynchronous();
                Message prev;
                for (;;) {
                    prev = p;
                    p = p.next;
                    if (p == null || when < p.when) {
                        break;
                    }
                    if (needWake && p.isAsynchronous()) {
                        needWake = false;
                    }
                }
                msg.next = p; 
                prev.next = msg;
            }

            if (needWake) {
                nativeWake(mPtr);
            }
        }
        return true;
    }

這里就需要有一些數據結構的功底了。這個方法的主要思想是利用next 成員創建一個鏈表。方法中首先判斷了target 是否為空及此msg是否使用,然后判斷了mQuitting變量,這個變量在quit方法中為true,在主線程中這個變量永遠為false。接下來標記該msg已用,然后配置該msg的執行時間。

下面就是鏈表的操作了,如果鏈表為空,或者該msg需要立即執行或者,該msg執行時間小于第一位的msg,就把他插入到鏈表頭部(鏈表插入方法中的頭插法,代碼看不懂的可以畫圖手動操作一些,會有奇效)。

如果不滿足上面三個條件,就循環遍歷所有鏈表結點,根據時間插入到合適位置,這里涉及到鏈表的插入操作,代碼看不懂的畫圖演示比較直觀有效。其中有一點很重要,這個鏈表是有序的。

消息進入隊列后,發消息的第一步就是要先從隊列中取消息,我們來看這一步,這一步在Looper中的loop方法,還記得如何在子線程中使用Handler么,執行完prepare方法后,就可以設置Handler了,但此時Handler還沒有用,缺少一個驅動,這個驅動就是Looper.loop()。看一下這個方法:

    public static void loop() {
        final Looper me = myLooper();
        if (me == null) {
            throw new RuntimeException("No Looper; Looper.prepare() wasn't called on this thread.");
        }
        final MessageQueue queue = me.mQueue;

        Binder.clearCallingIdentity();
        final long ident = Binder.clearCallingIdentity();

        for (;;) {
            Message msg = queue.next(); 
            if (msg == null) {
                return;
            }

            final Printer logging = me.mLogging;
            if (logging != null) {
                logging.println(">>>>> Dispatching to " + msg.target + " " +
                        msg.callback + ": " + msg.what);
            }

            final long slowDispatchThresholdMs = me.mSlowDispatchThresholdMs;

            final long traceTag = me.mTraceTag;
            if (traceTag != 0 && Trace.isTagEnabled(traceTag)) {
                Trace.traceBegin(traceTag, msg.target.getTraceName(msg));
            }
            final long start = (slowDispatchThresholdMs == 0) ? 0 : SystemClock.uptimeMillis();
            final long end;
            try {
                msg.target.dispatchMessage(msg);
                end = (slowDispatchThresholdMs == 0) ? 0 : SystemClock.uptimeMillis();
            } finally {
                if (traceTag != 0) {
                    Trace.traceEnd(traceTag);
                }
            }
            if (slowDispatchThresholdMs > 0) {
                final long time = end - start;
                if (time > slowDispatchThresholdMs) {
                    Slog.w(TAG, "Dispatch took " + time + "ms on "
                            + Thread.currentThread().getName() + ", h=" +
                            msg.target + " cb=" + msg.callback + " msg=" + msg.what);
                }
            }

            if (logging != null) {
                logging.println("<<<<< Finished to " + msg.target + " " + msg.callback);
            }

            final long newIdent = Binder.clearCallingIdentity();
            if (ident != newIdent) {
                Log.wtf(TAG, "Thread identity changed from 0x"
                        + Long.toHexString(ident) + " to 0x"
                        + Long.toHexString(newIdent) + " while dispatching to "
                        + msg.target.getClass().getName() + " "
                        + msg.callback + " what=" + msg.what);
            }

            msg.recycleUnchecked();
        }
    }

這里首先也驗證了一下,保證Looper 不為空。然后獲取了MessageQueue 。接下來開啟了一個死循環(看到這,有人也許會問,在ActivityThread中也調用了該方法,為什么主線程中有個死循環,而且還沒問題,這個問題最后在講),這個循環的目的就是不斷地從隊列中取消息,取消息用的是queue.next(),這是一個阻塞方法(這個過程類似于Socket中服務端監聽請求的過程),我們來看next方法:

    Message next() {
        final long ptr = mPtr;
        if (ptr == 0) {
            return null;
        }

        int pendingIdleHandlerCount = -1;
        int nextPollTimeoutMillis = 0;
        for (;;) {
            if (nextPollTimeoutMillis != 0) {
                Binder.flushPendingCommands();
            }

            nativePollOnce(ptr, nextPollTimeoutMillis);

            synchronized (this) {
                final long now = SystemClock.uptimeMillis();
                Message prevMsg = null;
                Message msg = mMessages;
                if (msg != null && msg.target == null) {
                    do {
                        prevMsg = msg;
                        msg = msg.next;
                    } while (msg != null && !msg.isAsynchronous());
                }
                if (msg != null) {
                    if (now < msg.when) {
                        nextPollTimeoutMillis = (int) Math.min(msg.when - now, Integer.MAX_VALUE);
                    } else {
                        mBlocked = false;
                        if (prevMsg != null) {
                            prevMsg.next = msg.next;
                        } else {
                            mMessages = msg.next;
                        }
                        msg.next = null;
                        if (DEBUG) Log.v(TAG, "Returning message: " + msg);
                        msg.markInUse();
                        return msg;
                    }
                } else {
                    nextPollTimeoutMillis = -1;
                }

                if (mQuitting) {
                    dispose();
                    return null;
                }

                if (pendingIdleHandlerCount < 0
                        && (mMessages == null || now < mMessages.when)) {
                    pendingIdleHandlerCount = mIdleHandlers.size();
                }
                if (pendingIdleHandlerCount <= 0) {
                    mBlocked = true;
                    continue;
                }

                if (mPendingIdleHandlers == null) {
                    mPendingIdleHandlers = new IdleHandler[Math.max(pendingIdleHandlerCount, 4)];
                }
                mPendingIdleHandlers = mIdleHandlers.toArray(mPendingIdleHandlers);
            }

            for (int i = 0; i < pendingIdleHandlerCount; i++) {
                final IdleHandler idler = mPendingIdleHandlers[i];
                mPendingIdleHandlers[i] = null; // release the reference to the handler

                boolean keep = false;
                try {
                    keep = idler.queueIdle();
                } catch (Throwable t) {
                    Log.wtf(TAG, "IdleHandler threw exception", t);
                }

                if (!keep) {
                    synchronized (this) {
                        mIdleHandlers.remove(idler);
                    }
                }
            }


            pendingIdleHandlerCount = 0;
            nextPollTimeoutMillis = 0;
        }
    }

先看第一個判斷,這里出現一個變量mPtr,這個變量是什么哪里來的?他是在構造中初始化的,調用了native方法nativeInit();既然是源碼分析,所以雖然是jni我們也要去看看。源碼位置:

android\frameworks\base\core\jni\android_os_MessageQueue.cpp
static jlong android_os_MessageQueue_nativeInit(JNIEnv* env, jclass clazz) {
    NativeMessageQueue* nativeMessageQueue = new NativeMessageQueue();
    if (!nativeMessageQueue) {
        jniThrowRuntimeException(env, "Unable to allocate native queue");
        return 0;
    }

    nativeMessageQueue->incStrong(env);
    return reinterpret_cast<jlong>(nativeMessageQueue);
}

這里創建了native層的MessageQueue對象,這個類定義就在android_os_MessageQueue.cpp中。nativeInit的返回值只是為了標志NativeMessageQueue是否創建成功,不成功的會返回0,成功的返回指針地址(轉為long類型),另外在MessageQueue 的dispose()方法中會把他置為0。我們主要還是回到next方法中,這個標志位主要標志該隊列是否可用,不可用返回null即可。下面才是正式的取消息部分。

這里你會驚奇的發現有一個死循環,這也就是為什么這個方法時阻塞的原因。看來到了較底層的部分,也沒有什么花哨技巧了,直接用上死循環來處理。我們直接看synchronized 代碼塊的第一個判斷,里面有一個target == null的判斷,我們在enqueueMessage知道,如果target 為null的話會直接拋異常,那么會什么會有target 為空的msg呢?實際上MessageQueue 有這樣一個方法:

   public int postSyncBarrier() {
        return postSyncBarrier(SystemClock.uptimeMillis());
    }

    private int postSyncBarrier(long when) {
        synchronized (this) {
            final int token = mNextBarrierToken++;
            final Message msg = Message.obtain();
            msg.markInUse();
            msg.when = when;
            msg.arg1 = token;

            Message prev = null;
            Message p = mMessages;
            if (when != 0) {
                while (p != null && p.when <= when) {
                    prev = p;
                    p = p.next;
                }
            }
            if (prev != null) { 
                msg.next = p;
                prev.next = msg;
            } else {
                msg.next = p;
                mMessages = msg;
            }
            return token;
        }
    }

這個方法也是插入一個msg,但是是target為空的特殊msg,稱之為SyncBarrier。這種msg的作用就是攔截,所有執行時間在這個msg之后的同步消息都不會執行,直到遇到下一個SyncBarrier,也就是異步和同步之分。如果你記憶力夠好或者沒有被源碼繞暈的話,希望你記得在Handler構造中初始化了一個參數mAsynchronous ,若從空參來的話,他為false。在Handler的enqueueMessage中發揮作用,若為true的話,所有msg會setAsynchronous(true)。一直影響到next方法里,若isAsynchronous()為true,會不受異步影響,若isAsynchronous()為false,會受異步影響,跳過所有同步消息。好吧,跨度有點大,多回頭看看源碼捋一捋就好。

我們從正常情況開始分析,就是isAsynchronous()為false,但是沒有插入SyncBarrier。這時取到頭部msg,判斷是否為null,不為空的話,檢測執行時間,如果未到時間,則設置nextPollTimeoutMillis 為等待時間,若到時間,則從隊列移除該msg,重設頭結點,并返回該消息。這時正常取到msg的流程,若msg==null,設置nextPollTimeoutMillis =-1,然后判斷是不是因為調用quit導致的(調用該方法會清空隊列),若是則返回null。最后看一下是否有IdleHandlers,IdleHandler是是一種利用系統空閑時機去處理一些不重要事件用的,如gc,這和我們要講的消息關系不大。且看邏輯,如果沒有要執行的IdleHandlers,則阻塞設為true,繼續循環(此時意味著取到了一個取到了一個消息,但還沒到執行事件,nextPollTimeoutMillis為大于零某數,或沒有取到消息,nextPollTimeoutMillis為-1),下一次循環,會到nativePollOnce方法,我們這里介紹一下這個方法:

static void android_os_MessageQueue_nativePollOnce(JNIEnv* env, jobject obj,
        jlong ptr, jint timeoutMillis) {
    NativeMessageQueue* nativeMessageQueue = reinterpret_cast<NativeMessageQueue*>(ptr);
    nativeMessageQueue->pollOnce(env, obj, timeoutMillis);
}

void NativeMessageQueue::pollOnce(JNIEnv* env, jobject pollObj, int timeoutMillis) {
    mPollEnv = env;
    mPollObj = pollObj;
    mLooper->pollOnce(timeoutMillis);
    mPollObj = NULL;
    mPollEnv = NULL;

    if (mExceptionObj) {
        env->Throw(mExceptionObj);
        env->DeleteLocalRef(mExceptionObj);
        mExceptionObj = NULL;
    }
}

他先還原了之前保存的NativeMessageQueue對象,然后執行了mLooper->pollOnce(timeoutMillis)。mLooper是native層的Looper對象,在NativeMessageQueue構造中初始化,他和java的Looper并沒多大關系:

NativeMessageQueue::NativeMessageQueue() :
        mPollEnv(NULL), mPollObj(NULL), mExceptionObj(NULL) {
    mLooper = Looper::getForThread();
    if (mLooper == NULL) {
        mLooper = new Looper(false);
        Looper::setForThread(mLooper);
    }
}

Looper.cpp位置:

android\system\core\libutils\Looper.cpp

pollOnce內部又調用了pollInner方法,這個方法非常長,這里就不貼出來了,關鍵一步在:

int eventCount = epoll_wait(mEpollFd, eventItems, EPOLL_MAX_EVENTS, timeoutMillis);

到這里已經超出Android編程范圍了,涉及到了Linux編程,這里涉及到了epoll機制,這里可以這樣理解,在java層,next方法會阻塞,阻塞的實質就是這里,java層調用的時nativePollOnce方法,next初始時nextPollTimeoutMillis為0,立即返回,不阻塞,隨后取一個msg,計算等待時間,下次循環調用nativePollOnce時開始阻塞。(簡單介紹一下,需要詳細了解的朋友還是要翻看代碼)。

這里面還有一點,在沒取到消息時,nextPollTimeoutMillis=-1,可能會永久阻塞,但是在MessageQueue 的enqueueMessage方法中,當成功添加后,有一個判斷:

if (needWake) {
    nativeWake(mPtr);
}

這個needWake在添加隊列中第一個消息時,被賦值,就是mBlocked的值,mBlocked 在next()中需要循環時被置為true。nativeWake就是去喚醒,不再阻塞。起始只有隊列為空時再回取到null消息,所以在添加第一個消息到隊列時,自然要解除阻塞。可以看一下nativeWake:

static void android_os_MessageQueue_nativeWake(JNIEnv* env, jclass clazz, jlong ptr) {
    NativeMessageQueue* nativeMessageQueue = reinterpret_cast<NativeMessageQueue*>(ptr);
    nativeMessageQueue->wake();
}

void NativeMessageQueue::wake() {
    mLooper->wake();
}

void Looper::wake() {
#if DEBUG_POLL_AND_WAKE
    ALOGD("%p ~ wake", this);
#endif

    uint64_t inc = 1;
    ssize_t nWrite = TEMP_FAILURE_RETRY(write(mWakeEventFd, &inc, sizeof(uint64_t)));
    if (nWrite != sizeof(uint64_t)) {
        if (errno != EAGAIN) {
            LOG_ALWAYS_FATAL("Could not write wake signal to fd %d: %s",
                    mWakeEventFd, strerror(errno));
        }
    }
}

在Looper::rebuildEpollLocked方法中

    eventItem.data.fd = mWakeEventFd;
    int result = epoll_ctl(mEpollFd, EPOLL_CTL_ADD, mWakeEventFd, & eventItem);

wake中執行了write(mWakeEventFd, &inc, sizeof(uint64_t)),mWakeEventFd就是epoll監聽的事件,通過wake()就解除了阻塞。

分析了這么長,又摻入native部分,總算把取消息的流程說完了,這一部分要多看幾遍源碼,仔細琢磨。下面我們回到loop方法中。

當取到一個消息,并不為空時,調用了msg.target.dispatchMessage(msg)去分發事件:

    public void dispatchMessage(Message msg) {
        if (msg.callback != null) {
            handleCallback(msg);
        } else {
            if (mCallback != null) {
                if (mCallback.handleMessage(msg)) {
                    return;
                }
            }
            handleMessage(msg);
        }
    }

到這里就回調到了handleMessage,進行了一次選擇,如果實現了callback 就走callback ,否則走handleMessage方法。到這里整個發送接收體系就完全介紹完了。

在loop方法最后,調用了msg.recycleUnchecked();

    void recycleUnchecked() {
        // Mark the message as in use while it remains in the recycled object pool.
        // Clear out all other details.
        flags = FLAG_IN_USE;
        what = 0;
        arg1 = 0;
        arg2 = 0;
        obj = null;
        replyTo = null;
        sendingUid = -1;
        when = 0;
        target = null;
        callback = null;
        data = null;

        synchronized (sPoolSync) {
            if (sPoolSize < MAX_POOL_SIZE) {
                next = sPool;
                sPool = this;
                sPoolSize++;
            }
        }
    }

這個方法是在一個Message用完之后調用的,清空了Message的所有內容,并且加入了一個Pool,看著像一個池子,實際上是Message利用next成員建立起的一個鏈表,為什么要用鏈表,且看obtain方法:

    public static Message obtain() {
        synchronized (sPoolSync) {
            if (sPool != null) {
                Message m = sPool;
                sPool = m.next;
                m.next = null;
                m.flags = 0; // clear in-use flag
                sPoolSize--;
                return m;
            }
        }
        return new Message();
    }

這是一個靜態方法,可以代替new Message()獲得一個Message實例。方法中,就是取到了鏈表的頭部那個Message,這個鏈表在每次loop循環后增長,形成緩存池,實現了Message的復用,節省了內存。這個鏈表最大長度為50(在Android 8.0中),所以日常開發時,我們應該盡可能的調用obtain方法去獲得一個Message,實際上源碼也是這樣做的。

    public final boolean sendEmptyMessage(int what)
    {
        return sendEmptyMessageDelayed(what, 0);
    }

    public final boolean sendEmptyMessageDelayed(int what, long delayMillis) {
        Message msg = Message.obtain();
        msg.what = what;
        return sendMessageDelayed(msg, delayMillis);
    }

除了讓Looper控制建立緩存,我們也可以自己回收,雖然我們不能調用recycleUnchecked方法(有訪問權限控制),但是我們可以調用recycle方法,回收一個Message,他只是做一個安全檢查而已。

    public void recycle() {
        if (isInUse()) {
            if (gCheckRecycle) {
                throw new IllegalStateException("This message cannot be recycled because it "
                        + "is still in use.");
            }
            return;
        }
        recycleUnchecked();
    }

最后,我們來解釋文中的一個遺留問題,為什么ActivityThread這個應用主線程可以有一個死循環。

首先看,如果沒有死循環,Looper.loop()執行完之后,直觀來看會拋一個異常

new RuntimeException("Main thread loop unexpectedly exited");

實際上,就算不拋異常,那么到這這個main方法就執行完了,你站在java代碼角度看,main就執行完,程序不就結束了么?

有過socket開發經驗的朋友,肯定不會讓服務端接受一個請求后就讓main函數結束,一般會一直循環監聽請求。

還有另外一個更生動的場景,我們在學習c語言時,第一個程序都是helloworld,有些編譯器很智能,打印完helloworld,程序暫停,但有些直接就退出,現象就是我們執行程序時,屏幕閃一下黑框就什么都沒了,大多數人都會一臉懵逼的去百度,然后加個暫停或者等待輸入的函數,讓控制臺保留下來,得意的看著自己第一個程序。但實際上程序執行完打印語句后就應該退出了,我們只是讓程序阻塞住而已。

android也一樣,所以要有一個死循環,保證主線程不自動結束。但為什么要死循環呢?注意一點,loop()方法的循環并不是無意義的循環,而是不斷取事件執行事件,Android是建立在事件驅動機制上的,程序在創建運行過程中有很多事件,都是Handler處理的,所以要有一個loop()去驅動事件執行。我們大致可以看下ActivityThread中的Handler方法:



定義了非常多事件,例如第一個LAUNCH_ACTIVITY事件中,就創建了Activity實例。

至于為什么不會ANR,其實ANR并不是一種錯誤,只是系統認為我們在某些地方耗時太長,造成了流程上的阻塞,是一種檢測機制。從上文我們可以知道,Handler是順序執行事件的,一個事件執行的時間過長,就導致后續事件阻塞,所以必須有ANR機制去檢測。換句話說,如果沒有ANR檢測,其實也是沒問題的,只不過會導致界面一直卡著,或者我們執行某個操作長時間無反應而已,正如出現無響應時系統會給我們一個繼續等待的選項。而這里的死循環,相當于后臺,事件相當于前臺,后臺阻塞的去監聽前臺請求是沒問題的。

?著作權歸作者所有,轉載或內容合作請聯系作者
平臺聲明:文章內容(如有圖片或視頻亦包括在內)由作者上傳并發布,文章內容僅代表作者本人觀點,簡書系信息發布平臺,僅提供信息存儲服務。
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市,隨后出現的幾起案子,更是在濱河造成了極大的恐慌,老刑警劉巖,帶你破解...
    沈念sama閱讀 228,936評論 6 535
  • 序言:濱河連續發生了三起死亡事件,死亡現場離奇詭異,居然都是意外死亡,警方通過查閱死者的電腦和手機,發現死者居然都...
    沈念sama閱讀 98,744評論 3 421
  • 文/潘曉璐 我一進店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人,你說我怎么就攤上這事。” “怎么了?”我有些...
    開封第一講書人閱讀 176,879評論 0 381
  • 文/不壞的土叔 我叫張陵,是天一觀的道長。 經常有香客問我,道長,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 63,181評論 1 315
  • 正文 為了忘掉前任,我火速辦了婚禮,結果婚禮上,老公的妹妹穿的比我還像新娘。我一直安慰自己,他們只是感情好,可當我...
    茶點故事閱讀 71,935評論 6 410
  • 文/花漫 我一把揭開白布。 她就那樣靜靜地躺著,像睡著了一般。 火紅的嫁衣襯著肌膚如雪。 梳的紋絲不亂的頭發上,一...
    開封第一講書人閱讀 55,325評論 1 324
  • 那天,我揣著相機與錄音,去河邊找鬼。 笑死,一個胖子當著我的面吹牛,可吹牛的內容都是我干的。 我是一名探鬼主播,決...
    沈念sama閱讀 43,384評論 3 443
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼!你這毒婦竟也來了?” 一聲冷哼從身側響起,我...
    開封第一講書人閱讀 42,534評論 0 289
  • 序言:老撾萬榮一對情侶失蹤,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后,有當地人在樹林里發現了一具尸體,經...
    沈念sama閱讀 49,084評論 1 335
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內容為張勛視角 年9月15日...
    茶點故事閱讀 40,892評論 3 356
  • 正文 我和宋清朗相戀三年,在試婚紗的時候發現自己被綠了。 大學時的朋友給我發了我未婚夫和他白月光在一起吃飯的照片。...
    茶點故事閱讀 43,067評論 1 371
  • 序言:一個原本活蹦亂跳的男人離奇死亡,死狀恐怖,靈堂內的尸體忽然破棺而出,到底是詐尸還是另有隱情,我是刑警寧澤,帶...
    沈念sama閱讀 38,623評論 5 362
  • 正文 年R本政府宣布,位于F島的核電站,受9級特大地震影響,放射性物質發生泄漏。R本人自食惡果不足惜,卻給世界環境...
    茶點故事閱讀 44,322評論 3 347
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧,春花似錦、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 34,735評論 0 27
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至,卻和暖如春,著一層夾襖步出監牢的瞬間,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 35,990評論 1 289
  • 我被黑心中介騙來泰國打工, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留,地道東北人。 一個月前我還...
    沈念sama閱讀 51,800評論 3 395
  • 正文 我出身青樓,卻偏偏與公主長得像,于是被迫代替她去往敵國和親。 傳聞我的和親對象是個殘疾皇子,可洞房花燭夜當晚...
    茶點故事閱讀 48,084評論 2 375

推薦閱讀更多精彩內容