Handler,Looper,HandlerThread淺析

来源:http://www.cnblogs.com/wingyip/archive/2016/01/31/5172918.html
-Advertisement-
Play Games

Handler想必在大家寫Android代碼過程中已經運用得爐火純青,特別是在做阻塞操作線程到UI線程的更新上.Handler用得恰當,能防止很多多線程異常. 而Looper大家也肯定有接觸過,只不過寫應用的代碼一般不會直接用到Looper.但實際Handler處理Message的關鍵之處全都在於L


Handler想必在大家寫Android代碼過程中已經運用得爐火純青,特別是在做阻塞操作線程到UI線程的更新上.Handler用得恰當,能防止很多多線程異常.

而Looper大家也肯定有接觸過,只不過寫應用的代碼一般不會直接用到Looper.但實際Handler處理Message的關鍵之處全都在於Looper.

以下是我看了<深入理解Android>的有關章節後,寫的總結.

Handler

先來看看Handler的構造函數.

 

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

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

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;
    }

 

主要關註Handler的2個成員變數mQueue,mLooper

mLooper可以從構造函數傳入.如果構造函數不傳的話,則直接取當前線程的Looper:mLooper = Looper.myLooper();

mQueue就是mLooper.mQueue.

 

把Message插入消息隊列

 

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);
    }

 

上面兩個正是把Message插入消息隊列的方法.

從中能看出,Message是被插入到mQueue裡面,實際是mLooper.mQueue.

每個Message.target = this,也就是target被設置成了當前的Handler實例.

到此,我們有必要看看Looper是做一些什麼的了.

 

Looper

 這是Looper一個標準的使用例子.

 

class LooperThread extends Thread {    
    public Handler mHandler;    
    public void run() {
        Looper.prepare();        
        ......
        Looper.loop();   
    }
}

 

 我們再看看Looper.prepare()和Looper.loop()的實現.

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 Looper myLooper() {
        return sThreadLocal.get();
    }

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;

        // Make sure the identity of this thread is that of the local process,
        // and keep track of what that identity token actually is.
        Binder.clearCallingIdentity();
        final long ident = Binder.clearCallingIdentity();

        for (;;) {
            Message msg = queue.next(); // might block
            if (msg == null) {
                // No message indicates that the message queue is quitting.
                return;
            }

            // This must be in a local variable, in case a UI event sets the logger
            Printer logging = me.mLogging;
            if (logging != null) {
                logging.println(">>>>> Dispatching to " + msg.target + " " +
                        msg.callback + ": " + msg.what);
            }

            msg.target.dispatchMessage(msg);

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

            // Make sure that during the course of dispatching the
            // identity of the thread wasn't corrupted.
            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();
        }
    }

prepare()方法給sThreadLocal設置了一個Looper實例.

sThreadLocal是Thread Local Variables,線程本地變數.

每次調用myLooper()方法就能返回prepare()設置的Looper實例.

 

Looper()方法裡面有一個很顯眼的無限For迴圈,它就是用來不斷的處理messageQueue中的Message的.

最終會調用message.target.dispatchMessage(msg)方法.前面介紹過,target是handler的實例.下麵看看handler.dispatchMessage()方法的實現.

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

實現非常簡單,如果callback不為空則用handleCallback(msg)來處理message.

而大多數情況下,我們實例化Handler的時候都沒有傳callback,所以都會走到handler.handleMessage()方法了.這方法用過Handler的人,都在再熟悉不過了.

這就是Handler和Looper協同工作的原理.消息隊列的實現都在Looper,Handler更像是一個輔助類.

 

HandlerThread

多數情況下,我們都是用Handler來處理UI界面的更新,這時我們要保證handler的Looper是UI線程的Looper.

只需要這樣子實例化Handler就能保證在UI線程處理Message了:Handler handler = new Handler(Looper.getMainLooper());

而當我們不希望Handler在UI線程去處理Message時候,就需要新建一個線程然後把線程的Looper傳給Handler做實例化.

也許我們會寫出下麵類似的代碼(樣例代碼引用<深入理解Android>)

class LooperThread extends Thread {    
    public Looper myLooper = null;
    // 定義一個public 的成員myLooper,初值為空。    
    public void run() { 
        // 假設run 線上程2 中執行        
        Looper.prepare();        
        // myLooper 必須在這個線程中賦值        
        myLooper = Looper.myLooper();        
        Looper.loop();    
    }
}

// 下麵這段代碼線上程1 中執行,並且會創建線程2
{    
    LooperThread lpThread= new LooperThread;    
    lpThread.start();//start 後會創建線程2    
    Looper looper = lpThread.myLooper;//<====== 註意    
    // thread2Handler 和線程2 的Looper 掛上鉤    
    Handler thread2Handler = new Handler(looper);    
    //sendMessage 發送的消息將由線程2 處理
      threadHandler.sendMessage(...)
}

細心的你們可能已經一眼看穿,new Handler(looper);傳進來的looper可能為空.

原因是Looper looper = lpThread.myLooper時候,lpThread.myLooper可能為空,因為lpThread還沒有開始執行run()方法.

那要怎麼樣才能保證handler實例化時候,looper不為空呢.

Android給我們提供了完美的解決方案,那就是HandlerThread.

public class HandlerThread extends Thread{    
    // 線程1 調用getLooper 來獲得新線程的Looper    
    public Looper getLooper() {        
        ......        
        synchronized (this) {            
            while (isAlive() && mLooper == null) {                
                try {                    
                    wait();// 如果新線程還未創建Looper,則等待                
                } catch (InterruptedException e) {                
                }            
            }        
        }        
        return mLooper;    
    }    

    // 線程2 運行它的run 函數,looper 就是在run 線程里創建的。    
    public void run() {        
        mTid = Process.myTid();        
        Looper.prepare(); // 創建這個線程上的Looper        
        synchronized (this) {
            mLooper = Looper.myLooper();            
            notifyAll();// 通知取Looper 的線程1,此時Looper 已經創建好了。        
        }        
        Process.setThreadPriority(mPriority);        
        onLooperPrepared();        
        Looper.loop();        
        mTid = -1;    
    }
}

HandlerThread.getLooper()方法會等待mLooper被賦值了才返回.

在handler實例化調用handlerThread.getLooper()方法的時候,就能保證得到的Looper一定不為空了.

HandlerThread handlerThread = new HandlerThread();
handlerThread.start();
Handler handler = new Handler(handlerThread.getLooper());

 


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

-Advertisement-
Play Games
更多相關文章
  • jQuery實現的二級下拉菜單詳解:二級下拉菜單在實際應用中非常的常見,比如企業網站的產品分類,或者部門分類等等,下麵就通過代碼實例詳細介紹一下簡單的二級下拉菜單是如何實現的,當然還有更為複雜的二級菜單,不過先學會如何製作簡單的才是上進之路。代碼如下: <!DOCTYPE html> <html>
  • javascript獲取滑鼠在網頁文檔中的坐標:獲取滑鼠在網頁中的坐標是常用的操作,本章節就通過一個簡單的代碼實例介紹一下如何實現此功能。代碼如下: <!DOCTYPE HTML> <html> <head> <meta http-equiv="Content-Type" content="text
  • css如何實現li元素在父元素中平均分佈效果:在實際應用中,通常父元素中有一排子元素,並且這些子元素能夠在父元素中均勻分佈。雖然效果簡單,實現的方式也各有不同,但是對於一些初學者可能會構成一些困擾。代碼如下: <!DOCTYPE html> <html> <head> <meta charset="
  • 判斷一列中的單元格內容是否有重覆:本章節介紹一下如何判斷一個指定的列中的所有單元格中是否有單元格內容重覆的,可能在實際應用中很少有這樣的需求,不過可以作為一種參考思路,以便於解決其他的問題,代碼實例如下: <!DOCTYPE html> <html> <head> <meta charset=" u
  • javascript兩位或者其他指定位數小數代碼:在通常情況下,如果小數特別多的話,可能會需要保留指定位數的小數以便於記憶或者存儲,下麵就分享一段這樣的代碼,不但能夠保留指定位數的小數,而且具有四捨五入功能,代碼如下: function formatFloat(src,pos) { return M
  • 作用域(scope)①是構成AngularJS應用的核心基礎,在整個框架中都被廣泛使用,因此瞭解它如何工作是非常重要的。應用的作用域是和應用的數據模型相關聯的,同時作用域也是表達式執行的上下文。$scope對象是定義應用業務邏輯、控制器方法和視圖屬性的地方。作用域是視圖和控制器之間的膠水。在應用將視
  • <LinearLayout>-----線性佈局 屬性: gravity-----決定它的子類的xy位置 >center_vertical----垂直居中 >center_horizontal-----水平居中 >center:水平垂直居中 >right:子類控制項位於當前佈局的右邊 >left:子類控
  • 臨近春節了,這段時間比較忙,各種趕項目,沒啥時間寫博客。/*** @brief 追加寫入數據到沙盒路徑** @param string 要寫入的字元串* @param fileName 把數據寫入文件的文件名*/+(void)writefile:(NSString *)string fileName...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...