Thread、Handler和HandlerThread关系详解
前言
前几天看到一道面试题:Thread、Handler和HandlerThread有什么区别?,这个题目有点意思,对于很多人来说,可能对Thread和Handler很熟悉,主要涉及到Android的消息机制(Handler、Message、Looper、MessageQueue),详见《从Handler.post(Runnabler)再一次梳理Android的消息机制(以及handler的内存泄露)》
但是这个HandlerThread是拿来做什么的呢?它是Handler还是Thread?我们知道Handler是用来异步更新UI的,更详细的说是用来做线程间的通信的,更新UI时是子线程与UI主线程之间的通信。那么现在我们要是想子线程与子线程之间的通信要怎么做呢?当然说到底也是用Handler+Thread来完成(不推荐,需要自己操作Looper),Google官方很贴心的帮我们封装好了一个类,那就是刚才说到的:HandlerThread。(类似的封装对于多线程的场景还有AsyncTask)
使用方法
还是先来看看HandlerThread的使用方法:
首先新建HandlerThread并且执行start()
privateHandlerThreadmHandlerThread; ...... mHandlerThread=newHandlerThread("HandlerThread"); handlerThread.start();
创建Handler,使用mHandlerThread.getLooper()生成Looper:
finalHandlerhandler=newHandler(mHandlerThread.getLooper()){ @Override publicvoidhandleMessage(Messagemsg){ System.out.println("收到消息"); } };
然后再新建一个子线程来发送消息:
newThread(newRunnable(){ @Override publicvoidrun(){ try{ Thread.sleep(1000);//模拟耗时操作 handler.sendEmptyMessage(0); }catch(InterruptedExceptione){ e.printStackTrace(); } } }).start();
最后一定不要忘了在onDestroy释放,避免内存泄漏:
@Override protectedvoidonDestroy(){ super.onDestroy(); mHandlerThread.quit(); }
执行结果很简单,就是在控制台打印字符串:收到消息
原理
整个的使用过程我们根本不用去关心Handler相关的东西,只需要发送消息,处理消息,Looper相关的东西交给它自己去处理,还是来看看源码它是怎么实现的,先看构造方法:
publicclassHandlerThreadextendsThread{}
HandlerThread其实还是一个线程,它跟普通线程有什么不同?
publicclassHandlerThreadextendsThread{ intmPriority; intmTid=-1; LoopermLooper; publicHandlerThread(Stringname){ super(name); mPriority=Process.THREAD_PRIORITY_DEFAULT; } ...... }
答案是多了一个Looper,这个是子线程独有的Looper,用来做消息的取出和处理。继续看看HandlerThread这个线程的run方法:
protectedvoidonLooperPrepared(){ } @Override publicvoidrun(){ mTid=Process.myTid(); Looper.prepare(); synchronized(this){ mLooper=Looper.myLooper();//生成Looper notifyAll(); } Process.setThreadPriority(mPriority); onLooperPrepared();//空方法,在Looper创建完成后调用,可以自己重写逻辑 Looper.loop();//死循环,不断从MessageQueue中取出消息并且交给Handler处理 mTid=-1; }
主要就是做了一些Looper的操作,如果我们自己使用Handler+Thread来实现的话也要进行这个操作,再来看看getLooper()方法:
publicLoopergetLooper(){ if(!isAlive()){ returnnull; } //Ifthethreadhasbeenstarted,waituntilthelooperhasbeencreated. synchronized(this){ while(isAlive()&&mLooper==null){ try{ wait(); }catch(InterruptedExceptione){ } } } returnmLooper; }
方法很简单,就是加了个同步锁,如果已经创建了(isAlive()返回true)但是mLooper为空的话就继续等待,直到mLooper创建成功,最后看看quit方法,值得一提的是有两个:
publicbooleanquit(){ Looperlooper=getLooper(); if(looper!=null){ looper.quit(); returntrue; } returnfalse; } publicbooleanquitSafely(){ Looperlooper=getLooper(); if(looper!=null){ looper.quitSafely(); returntrue; } returnfalse; }
quitSafely是针对在消息队列中还有消息或者是延迟发送的消息没有处理的情况,调用这个方法后都会被停止掉。
总结
HandlerThread的使用方法还是比较简单的,但是我们要明白一点的是:如果一个线程要处理消息,那么它必须拥有自己的Looper,并不是Handler在哪里创建,就可以在哪里处理消息的。
如果不用HandlerThread的话,需要手动去调用Looper.prepare()和Looper.loop()这些方法。
以上就是对Thread、Handler和HandlerThread关系的资料整理,后续继续补充相关资料,谢谢大家对本站的支持!