色哟哟视频在线观看-色哟哟视频在线-色哟哟欧美15最新在线-色哟哟免费在线观看-国产l精品国产亚洲区在线观看-国产l精品国产亚洲区久久

0
  • 聊天消息
  • 系統消息
  • 評論與回復
登錄后你可以
  • 下載海量資料
  • 學習在線課程
  • 觀看技術視頻
  • 寫文章/發帖/加入社區
會員中心
創作中心

完善資料讓更多小伙伴認識你,還能領取20積分哦,立即完善>

3天內不再提示

詳解Android Handler機制和原理

Android編程精選 ? 來源:Android編程精選 ? 作者:Android編程精選 ? 2023-03-26 14:32 ? 次閱讀

Handler的使用

Android開發中,Handler機制是一個很重要的知識點,主要用于消息通信

Handler使用的三大步驟:

1、Loop.prepare()。

2、new一個Handler對象,并重寫handleMessage方法。

3、Loop.loop()。

先運行實例代碼觀察現象,再深入分析內部原理。

publicclassLooperThreadextendsThread{
privatestaticfinalString TAG = LooperThread.class.getSimpleName();
privateHandler handler;

@Override
publicvoidrun(){
Looper.prepare();
handler = newHandler(Looper.myLooper(), newHandler.Callback() {
@Override
publicbooleanhandleMessage(@NonNull Message msg){
Log.d(TAG, "what: "+ msg.what + ", msg: "+ msg.obj.toString());
returntrue;
}
});
Looper.loop();
}

publicvoidsendMessage(intwhat, Object obj){
Message msg = handler.obtainMessage(what, obj);
handler.sendMessage(msg);
}
}

publicclassFirstActivityextendsAppCompatActivity{
privatestaticfinalString TAG = FirstActivity.class.getSimpleName();

privateLooperThread looperThread;

@Override
protectedvoidonCreate(Bundle savedInstanceState){

looperThread = newLooperThread();
looperThread.start();
try{
Thread.sleep(1000);
} catch(InterruptedException e) {
e.printStackTrace();
}
looperThread.sendMessage(1, "Hello android!");
}

編譯運行程序,輸出如下:

2021-10-0623:15:24.32320107-20107/com.example.activitytest D/FirstActivity: Task id is73
2021-10-0623:15:25.32820107-20124/com.example.activitytest D/LooperThread: what:1, msg:Hello android!
2021-10-0623:15:25.39420107-20132/com.example.activitytest I/OpenGLRenderer: Initialized EGL, version1.4
2021-10-0623:15:25.39420107-20132/com.example.activitytest D/OpenGLRenderer: Swap behavior 1

Loop.prepare方法內部實現原理

了解某個方法具體做了什么,最好的方法就是追蹤下去看源碼。我們跟隨IDE一步一步查看Loop.prepare到底做了什么。

/** Initialize the current thread as a looper.
* This gives you a chance to create handlers that then reference
* this looper, before actually starting the loop. Be sure to call
* {@link #loop()} after calling this method, and end it by calling
* {@link #quit()}.
*/
publicstaticvoidprepare() {
prepare(true);
}

privatestaticvoidprepare(boolean quitAllowed) {
if(sThreadLocal.get() != null) {
thrownewRuntimeException("Only one Looper may be created per thread");
}
sThreadLocal.set(newLooper(quitAllowed));
}

sThreadLocal是一個ThreadLocal類型變量,且ThreadLocal是一個模板類。Loop.prepare最終創建一個新的Looper對象,且對象實例被變量sThreadLocal引用。繼續追蹤下去,查看Looper構造方法做了什么操作。

privateLooper(booleanquitAllowed){
mQueue = newMessageQueue(quitAllowed);
mThread = Thread.currentThread();
}
......
MessageQueue(booleanquitAllowed) {
mQuitAllowed = quitAllowed;
mPtr = nativeInit();
}
到這里我們已經很清楚,Looper構造方法主要是創建一個MessageQueue,且MessageQueue構造方法調用native方法獲取底層queue的指針,mQuitAllowed值為true表示允許退出loop,false表示無法退出loop。結合前面Looper.prepare方法內部代碼,表示我們創建的Looper允許退出loop。 new一個Handler對象實例,到底做了什么?
/**
* Use the provided {@linkLooper} instead of the default one and take a callback
* interface in which to handle messages.
*
* @paramlooper The looper, must not be null.
* @paramcallback The callback interface in which to handle messages, or null.
*/
publicHandler(@NonNull Looper looper, @Nullable Callback callback){
this(looper, callback, false);
}
......
/**
* Use the provided {@linkLooper} instead of the default one and take a callback
* interface in which to handle messages. Also set whether the handler
* should be asynchronous.
*
* Handlers are synchronous by default unless this constructor is used to make
* one that is strictly asynchronous.
*
* Asynchronous messages represent interrupts or events that do not require global ordering
* with respect to synchronous messages. Asynchronous messages are not subject to
* the synchronization barriers introduced by conditions such as display vsync.
*
* @paramlooper The looper, must not be null.
* @paramcallback The callback interface in which to handle messages, or null.
* @paramasync If true, the handler calls {@linkMessage#setAsynchronous(boolean)} for
* each {@linkMessage} that is sent to it or {@linkRunnable} that is posted to it.
*
* @hide
*/
@UnsupportedAppUsage
publicHandler(@NonNull Looper looper, @Nullable Callback callback, booleanasync){
mLooper = looper;
mQueue = looper.mQueue;
mCallback = callback;
mAsynchronous = async;
}

Handler還有其他構造方法,這里我們調用其中一種構造方法創建一個Handler對象實例。該構造方法要求傳入一個Looper對象實例和CallBack對象實例。回顧一下最開始的例子代碼,我們傳入的形參,一個是由Looper.myLooper方法獲取的Looper對象實例,另外一個則是Callback匿名類。我們先看看Looper.myLooper到底獲取到了什么。

/**
* Return the Looper object associated with the current thread. Returns
* null if the calling thread is not associated with a Looper.
*/
publicstatic@Nullable Looper myLooper() {
returnsThreadLocal.get();
}
這里獲取到的就是前面Looper.prepare方法新創建的Looper對象實例,所以Looper.prepare方法必須在創建Handler對象實例之前調用。再回到Handler構造方法里,有幾個地方很關鍵: 1、Handler內部保存了Looper對象引用。 2、Handler內部保存了Looper內部的MessageQueue對象引用。 3、Handler內部保存了Callback對象引用。 4、mAsyncchronous值為true表示handleMessage方法異步執行,false表示同步執行。

Looper.loop方法內部實現原理

/**
* Run the message queue in this thread. Be sure to call
* {@link#quit()} to end the loop.
*/
publicstaticvoidloop(){
finalLooper me = myLooper();
if(me == null) {
thrownewRuntimeException("No Looper; Looper.prepare() wasn't called on this thread.");
}
if(me.mInLoop) {
Slog.w(TAG, "Loop again would have the queued messages be executed"
+ " before this one completed.");
}

me.mInLoop = true;
finalMessageQueue 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();
finallongident = Binder.clearCallingIdentity();

// Allow overriding a threshold with a system prop. e.g.
// adb shell 'setprop log.looper.1000.main.slow 1 && stop && start'
finalintthresholdOverride =
SystemProperties.getInt("log.looper."
+ Process.myUid() + "."
+ Thread.currentThread().getName()
+ ".slow", 0);

booleanslowDeliveryDetected = false;

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
finalPrinter logging = me.mLogging;
if(logging != null) {
logging.println(">>>>> Dispatching to "+ msg.target + " "+
msg.callback + ": "+ msg.what);
}
// Make sure the observer won't change while processing a transaction.
finalObserver observer = sObserver;

finallongtraceTag = me.mTraceTag;
longslowDispatchThresholdMs = me.mSlowDispatchThresholdMs;
longslowDeliveryThresholdMs = me.mSlowDeliveryThresholdMs;
if(thresholdOverride > 0) {
slowDispatchThresholdMs = thresholdOverride;
slowDeliveryThresholdMs = thresholdOverride;
}
finalbooleanlogSlowDelivery = (slowDeliveryThresholdMs > 0) && (msg.when > 0);
finalbooleanlogSlowDispatch = (slowDispatchThresholdMs > 0);

finalbooleanneedStartTime = logSlowDelivery || logSlowDispatch;
finalbooleanneedEndTime = logSlowDispatch;

if(traceTag != 0&& Trace.isTagEnabled(traceTag)) {
Trace.traceBegin(traceTag, msg.target.getTraceName(msg));
}

finallongdispatchStart = needStartTime ? SystemClock.uptimeMillis() : 0;
finallongdispatchEnd;
Object token = null;
if(observer != null) {
token = observer.messageDispatchStarting();
}
longorigWorkSource = ThreadLocalWorkSource.setUid(msg.workSourceUid);
try{
msg.target.dispatchMessage(msg);
if(observer != null) {
observer.messageDispatched(token, msg);
}
dispatchEnd = needEndTime ? SystemClock.uptimeMillis() : 0;
} catch(Exception exception) {
if(observer != null) {
observer.dispatchingThrewException(token, msg, exception);
}
throwexception;
} finally{
ThreadLocalWorkSource.restore(origWorkSource);
if(traceTag != 0) {
Trace.traceEnd(traceTag);
}
}
if(logSlowDelivery) {
if(slowDeliveryDetected) {
if((dispatchStart - msg.when) <= 10) {
????????????????????????Slog.w(TAG, "Drained");
????????????????????????slowDeliveryDetected = false;
????????????????????}
????????????????} else?{
????????????????????if?(showSlowLog(slowDeliveryThresholdMs, msg.when, dispatchStart, "delivery",
????????????????????????????msg)) {
????????????????????????// Once we write a slow delivery log, suppress until the queue drains.
????????????????????????slowDeliveryDetected = true;
????????????????????}
????????????????}
????????????}
????????????if?(logSlowDispatch) {
????????????????showSlowLog(slowDispatchThresholdMs, dispatchStart, dispatchEnd, "dispatch", 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();
????????}
????}

代碼較長,我們只取關鍵代碼閱讀。通過myLooper獲取新創建的Looper對象實例,進而獲取Looper內部的MessageQueue對象實例。然后進入死循環中不斷調用MessageQueue類的next方法獲取MessageQueue里的message,然后調用dispatchMessage進行消息分發,最后由handleMessage進行消息處理。到這里Looper、MessageQueue和Handler之間的關系就建立起來了。介于篇幅,發送消息和消息處理原理,下篇文章詳細分析。

審核編輯:湯梓紅

聲明:本文內容及配圖由入駐作者撰寫或者入駐合作網站授權轉載。文章觀點僅代表作者本人,不代表電子發燒友網立場。文章及其配圖僅供工程師學習之用,如有內容侵權或者其他違規問題,請聯系本站處理。 舉報投訴
  • Android
    +關注

    關注

    12

    文章

    3938

    瀏覽量

    127545
  • 通信
    +關注

    關注

    18

    文章

    6042

    瀏覽量

    136138
  • 代碼
    +關注

    關注

    30

    文章

    4801

    瀏覽量

    68735
  • handler
    +關注

    關注

    0

    文章

    7

    瀏覽量

    3035

原文標題:詳解Android Handler機制和原理(一)

文章出處:【微信號:AndroidPush,微信公眾號:Android編程精選】歡迎添加關注!文章轉載請注明出處。

收藏 人收藏

    評論

    相關推薦

    Trigger Handler

    handler
    橙群微電子
    發布于 :2023年02月23日 09:04:12

    高保真膽機制詳解

    http://115.com/file/be3wripk#高保真膽機制詳解.rar
    發表于 02-14 09:54

    Android系統原理與開發要點詳解_培訓課件

    Android系統原理與開發要點詳解_培訓課件
    發表于 08-20 13:01

    android 通信機制 socket

    socket 作為一種通信機制,可以實現單機或者跨網絡之間的通信,要有明確的server端和client端。android里面最簡單的socket 通信的demo://1. IP 地址
    發表于 01-09 22:36

    Android系統下Java編程詳解,Android學習者必備

    Android系統下Java編程詳解,從各方面對Android系統的學習做出詳解,這些都是在華清遠見學習的一手資料,可以下載學習哦,我學過了,還是不錯的
    發表于 05-30 13:21

    詳解Linux內核搶占實現機制

    本文詳解了Linux內核搶占實現機制。首先介紹了內核搶占和用戶搶占的概念和區別,接著分析了不可搶占內核的特點及實時系統中實現內核搶占的必要性。然后分析了禁止內核搶占的情況和內核搶占的時機,最后介紹了實現搶占內核所做的改動以及何時需要重新調度。
    發表于 08-06 06:16

    AndroidHandler

    在了解 Handler 前,首先需要知道 Android 中,當程序啟動時,Android 系統會啟動一條線程,該線程也被稱作 UI 線程,主要用于進行界面 UI 的操作。而又因為其不是線程安全
    發表于 09-23 09:05

    深入剖析Android消息機制

    深入剖析Android消息機制
    發表于 01-22 21:11 ?11次下載

    Android開發手冊—API函數詳解

    Android開發手冊—API函數詳解
    發表于 10-17 09:01 ?13次下載
    <b class='flag-5'>Android</b>開發手冊—API函數<b class='flag-5'>詳解</b>

    基于Android開發手冊—API函數詳解

    基于Android開發手冊—API函數詳解
    發表于 10-24 09:06 ?18次下載
    基于<b class='flag-5'>Android</b>開發手冊—API函數<b class='flag-5'>詳解</b>

    Android 異步通信原理機制-- handler

    .handler的作用:完成Android中的線程通信(數據的異步加載顯示,在子線程中完成耗時操作,在子線程中加載之后通知UI線程顯示數據)
    發表于 06-13 01:10 ?2010次閱讀

    家用風力發電機制作過程詳解

    家用風力發電機制作過程詳解
    的頭像 發表于 08-21 16:11 ?3.6w次閱讀

    詳細解答Android消息機制

    Android程序運行中,線程之間或者線程內部進行信息交互時經常會使用到消息,如果我們熟悉這些基礎的東西及其內部的原理,將會使我們的Android開發變的容易、可以更好地架構系統。在學習Android消息
    發表于 04-24 15:30 ?496次閱讀
    詳細解答<b class='flag-5'>Android</b>消息<b class='flag-5'>機制</b>

    Android開發手冊API函數詳解資料免費下載

    本文檔的主要內容詳細介紹的是Android開發手冊API函數詳解資料免費下載。
    發表于 02-22 08:00 ?0次下載

    礦石收音機制詳解

    礦石收音機制詳解
    發表于 12-27 17:52 ?63次下載
    主站蜘蛛池模板: 中文字幕人成人乱码亚洲影视S| 乱淫67194| 亚洲精品乱码久久久久久中文字幕| 久久综久久美利坚合众国| voyeurhit农村夫妻偷拍| 亚洲欧美一区二区三区久久 | 免费99精品国产自在现线| 全部免费特黄特色大片看片| 亚洲中文热码在线视频| 人体内射精一区二区三区| 国产午夜精品鲁丝片| 欧美性xxx免费看片| AAA级精品无码久久久国片| 国产乱人伦AV麻豆网| 麻豆AV福利AV久久AV| 亚欧免费观看在线观看更新| 欧美末成年videos丨| 久草青青在线| 国产精品96久久久久久AV不卡| 91精品国产品国语在线不卡| 亚洲一卡二卡三卡四卡无卡麻豆| 无遮挡午夜男女XX00动态| 国产东北男同志videos网站| 99久久综合| 13一18TV处流血TV| 亚洲欧美综合视频| 無码一区中文字幕少妇熟女网站| 欧美精品熟妇乱| 男女床上黄色| 看免费人成va视频全| 99热久久视频只有精品6| 夜月视频直播免费观看| 性色欲情网站IWWW九文堂| 日日干日日操日日射| 摸老师丝袜小内内摸出水| 久久天天综合| 久久精品国产在热亚洲完整版| 国内精品国内自产视频| 国产精品系列在线观看| 国产精品成人免费视频99| 大伊人青草狠狠久久|