android消息處理源碼分析

来源:https://www.cnblogs.com/lilykeke/archive/2019/04/13/10701429.html
-Advertisement-
Play Games

一、簡介消息處理機制主要涉及到這幾個類:1.Looper2.MessageQueue3.Message4.Handler 二、源碼分析 Looper.class的關鍵源碼: 消息迴圈退出過程 從上面可以看到loop()方法是一個死迴圈,只有當MessageQueue的next()方法返回null時才 ...


一、簡介
消息處理機制主要涉及到這幾個類:
1.Looper
2.MessageQueue
3.Message
4.Handler

 

二、源碼分析

Looper.class的關鍵源碼:

 

//保存Looper對象,在android中每創建一個消息隊列,就有一個並且是唯一一個與之對應的Looper對象 
static final ThreadLocal<Looper> sThreadLocal = new ThreadLocal<Looper>();
//主線程的Looper
private static Looper sMainLooper;
//消息隊列
final MessageQueue mQueue;
final Thread mThread;

//子線程中通過調用該方法來創建消息隊列
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));
}


//主線程調用該方法來創建消息隊列
public static void prepareMainLooper() {
    prepare(false);
    synchronized (Looper.class) {
        if (sMainLooper != null) {
            throw new IllegalStateException("The main Looper has already been prepared.");
        }
        sMainLooper = myLooper();
    }
}

//實例化Looper,創建消息隊列,獲取當前線程
private Looper(boolean quitAllowed) {
    mQueue = new MessageQueue(quitAllowed);
    mThread = Thread.currentThread();
}

//調用loop方法開啟消息迴圈 
public static void loop() { 
    //獲取當前的Looper對象,若為null,拋出異常 
    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; 
    for (;;) { 
        //調用next()方法從消息隊列中獲取消息,如果為null,結束迴圈;否則,繼續執行(有可能會阻塞) 
        Message msg = queue.next(); 
        if (msg == null) { 
            return; 
        } 
        ...... 
        try { 
            //調用handler的dispatchMessage(msg)分發消息  
            msg.target.dispatchMessage(msg); 
        } finally {
        ...... 
        } 
        //回收消息資源  
        msg.recycleUnchecked(); 
    }
}

//消息迴圈退出
public void quit() {
    mQueue.quit(false);
}

public void quitSafely() {
    mQueue.quit(true);
}

 

消息迴圈退出過程

從上面可以看到loop()方法是一個死迴圈,只有當MessageQueue的next()方法返回null時才會結束迴圈。那麼MessageQueue的next()方法何時為null呢?

在Looper類中我們看到了兩個結束的方法quit()和quitSalely()。
兩者的區別就是quit()方法直接結束迴圈,處理掉MessageQueue中所有的消息。
quitSafely()在處理完消息隊列中的剩餘的非延時消息(延時消息(延遲發送的消息)直接回收)時才退出。這兩個方法都調用了MessageQueue的quit()方法

 

MessageQueue.class 的關鍵源碼:

MessageQueue中最重要的就是兩個方法:
1.enqueueMessage()向隊列中插入消息
2.next() 從隊列中取出消息

/*
*MessageQueue中enqueueMessage方法的目的有兩個:
*1.插入消息到消息隊列
*2.喚醒Looper中等待的線程(如果是即時消息並且線程是阻塞狀態)
*/
boolean enqueueMessage(Message msg, long when) {
    //發送該消息的handler為null,拋出異常
    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");
            msg.recycle();
            return false;
        }
        msg.markInUse();
        msg.when = when;
        //消息隊列的第一個元素,MessageQueue中的成員變數mMessages指向的就是該鏈表的頭部元素。
        Message p = mMessages;
        boolean needWake;
        if (p == null || when == 0 || when < p.when) {
            //如果此隊列中頭部元素是null(空的隊列,一般是第一次),或者此消息不是延時的消息,則此消息需要被立即處理,
            //將該消息作為新的頭部,並將此消息的next指向舊的頭部。如果是阻塞狀態則需要喚醒。
            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;
}

Message next() {
    //與native方法相關,當mPtr為0時返回null,退出消息迴圈
    final long ptr = mPtr; 
    if (ptr == 0) {
        return null;
    }

    int pendingIdleHandlerCount = -1;
    //0不進入睡眠,-1進入睡眠 
    int nextPollTimeoutMillis = 0;  
    for (;;) {
        if (nextPollTimeoutMillis != 0) {
            //處理當前線程中待處理的Binder進程間通信請求
            Binder.flushPendingCommands();  
        }
        //native方法,nextPollTimeoutMillis為-1時進入睡眠狀態
        //阻塞方法,主要是通過native層的epoll監聽文件描述符的寫入事件來實現的。
        //如果nextPollTimeoutMillis=-1,一直阻塞不會超時。
        //如果nextPollTimeoutMillis=0,不會阻塞,立即返回。
        //如果nextPollTimeoutMillis>0,最長阻塞nextPollTimeoutMillis毫秒(超時),如果期間有程式喚醒會立即返回
        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) {
                    // Next message is not ready.  Set a timeout to wake up when it is ready.
                    nextPollTimeoutMillis = (int) Math.min(msg.when - now, Integer.MAX_VALUE);
                } else {
                    //正常取出消息,設置mBlocked = false代表目前沒有阻塞
                    mBlocked = false;
                    if (prevMsg != null) {
                        prevMsg.next = msg.next;
                    } else {
                        mMessages = msg.next;
                    }
                    msg.next = null;
                    msg.markInUse();
                    return msg;
                }
            } else {
                // No more messages.更新到睡眠狀態
                nextPollTimeoutMillis = -1;
            }

                // Process the quit message now that all pending messages have been handled.
                if (mQuitting) {
                    dispose();
                    return null;
                }

                // If first time idle, then get the number of idlers to run.
                // Idle handles only run if the queue is empty or if the first message
                // in the queue (possibly a barrier) is due to be handled in the future.
                if (pendingIdleHandlerCount < 0
                        && (mMessages == null || now < mMessages.when)) {
                    pendingIdleHandlerCount = mIdleHandlers.size();
                }
                if (pendingIdleHandlerCount <= 0) {
                    // No idle handlers to run.  Loop and wait some more.
                    mBlocked = true;
                    continue;
                }

                if (mPendingIdleHandlers == null) {
                    mPendingIdleHandlers = new IdleHandler[Math.max(pendingIdleHandlerCount, 4)];
                }
                mPendingIdleHandlers = mIdleHandlers.toArray(mPendingIdleHandlers);
            }
        }            
        //非睡眠狀態下處理IdleHandler介面 
        for (int i = 0; i < pendingIdleHandlerCount; i++) { 
            final IdleHandler idler = mPendingIdleHandlers[i]; 
            // release the reference to the handler 
            mPendingIdleHandlers[i] = null; 
            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;
    }        
}

 

Handler.class源碼分析:

/*
*通過handler類向線程的消息隊列發送消息,
*每個Handler對象中都有一個Looper對象和MessageQueue對象
*/
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());
        }
    }
    //獲取Looper對象
    mLooper = Looper.myLooper(); 
    if (mLooper == null) {...}
    //獲取消息隊列
    mQueue = mLooper.mQueue;  
    mCallback = callback;
    mAsynchronous = async;
}

/*
*多種sendMessage方法,最終都調用了同一個方法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); 
}
    
/*
*1.當Message中的callback不為null時,執行Message中的callback中的方法。這個callback時一個Runnable介面。
*2.當Handler中的Callback介面不為null時,執行Callback介面中的方法。
*3.直接執行Handler中的handleMessage()方法。
*/
public void dispatchMessage(Message msg) {
    // 消息Callback介面不為null,執行Callback介面
    if (msg.callback != null) {
        handleCallback(msg);
    } else {
        if (mCallback != null) {
            //Handler Callback介面不為null,執行介面方法
            if (mCallback.handleMessage(msg)) {
                return;
            }
        }
        //處理消息
        handleMessage(msg); 
    }
}

 


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 1、前置條件 MySQL資料庫中存在表user_info,其結構和數據如下: 2、自定義函數 函數:可以完成特定功能的一段SQL集合。MySQL支持自定義函數來完成特定的業務功能。 創建自定義函數(User Defined Function 簡稱UDF)的語法如下: 調用UDF的語法如下: 創建無參 ...
  • 資料庫事務併發帶來臟讀、不可重覆讀和幻讀等問題,為瞭解決這三個問題,出現了事務隔離級別,如:未提交讀取(read uncommitted)、已提交讀取(read committed)、可重覆讀取(repeatable read)、串列化(rerializable)。後續文章詳細介紹事務併發帶來的各個 ...
  • 使用索引的註意事項 使用索引時,有以下一些技巧和註意事項: 1.索引不會包含有NULL值的列 只要列中包含有NULL值都將不會被包含在索引中,複合索引中只要有一列含有NULL值,那麼這一列對於此複合索引就是無效的。所以我們在資料庫設計時不要讓欄位的預設值為NULL。 2.使用短索引 對串列進行索引, ...
  • 查詢用戶:db.system.users.find() 添加用戶:db.addUser('admin', '1234') mongodb導入csv數據 mongoimport -h localhost --port 27017 -u tor_tester -p 123456 -d torstatus ...
  • 方法1: 用SET PASSWORD命令 首先登錄MySQL。 格式:mysql> set password for 用戶名@localhost = password('新密碼'); 例子:mysql> set password for root@localhost = password('123' ...
  • 聽說過Elasticsearch的協調節點嗎? 在CRUD索引數據的時候, 就是它負責轉發客戶端的請求的. 轉發之後是如何處理請求的呢? 這篇博文作個精簡的介紹. ...
  • 如何對Elasticsearch的索引數據進行增刪改查操作? 新增數據時是否指定id? 如何通過`_id`和`_source`元欄位查詢文檔, 全量修改和強制替換文檔的使用, 刪除文檔的原理...... 本篇文章作個比較詳細的說明~ ...
  • pod 基礎使用命令 創建Podfile文件 使用命令打開Podfile文件 搜索pod 庫 更新本地Repo庫 安裝pod 庫 升級pod 庫 cocoapods庫安裝命令 檢查ruby源 1 gem sources -l 刪除原有ruby源 1 gem sources -remove https ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...