Android应用程序消息处理机制
程序员文章站
2022-07-06 19:56:15
...
Android线程为了随时接收消失处理,需要一套消息处理机制。应用程序通过消息驱动应用程序运行。
Android应用每一个线程通过创建消息队列,然后在无限循环中等待和获取消息队列传递的信息,然后处理。
- 线程都能创建一个消息队列。
- 等待(阻塞中)队列中的消息
- 获取到消息,处理消息
- 回到2
相关类:MessageQueue,Looper,Handler
主线程的消息队列在系统创建应用程序的时候就配置了消失处理。
frameworks/base/core/java/android/app/ActivityThread.java
public final class ActivityThread extends ClientTransactionHandler {
public static void main(String[] args) {
....
Looper.prepareMainLooper();
...
Looper.loop();
throw new RuntimeException("Main thread loop unexpectedly exited");
}
如果是子线程Looper.prepareMainLooper()换成Looper.prepare()
frameworks/base/core/java/android/os/Looper.java
public final class Looper {
public static void prepareMainLooper() {//1
prepare(false);
synchronized (Looper.class) {
if (sMainLooper != null) {
throw new IllegalStateException("The main Looper has already been prepared.");
}
sMainLooper = myLooper();
}
}
public static void prepare() {//2
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));
}
private Looper(boolean quitAllowed) {//3
mQueue = new MessageQueue(quitAllowed);
mThread = Thread.currentThread();
}
}
上面的操作主要是配置初始化。主线程Looper.prepareMainLooper(),子线程Looper.prepare(),区别在于3处,当MessageQueue的参数是true时,如果为true,表示该消息队列能够停止,反之不能,主线程是不能停止消息循环,但是自己的线程在不一定时候是可以结束掉的,从而释放线程资源。
有了消息队列,还有消息循环。通过循环获取消息池的信息,驱动程序。
当我们调用 Looper.loop();
/**
* Run the message queue in this thread. Be sure to call
* {@link #quit()} to end the loop.
*/
public static void loop() {
...
for (;;) {//1
Message msg = queue.next(); // might block //2
...
msg.target.dispatchMessage(msg);//3
...
}
}
1处是个死循环,2处获取消息队列中的消失,如果没有就阻塞,3处是发送消息到对应的handler,handler的作用接受和发送消息,对应就是在消息队列添加消息和loop接受消息。