Looper.prepare();
1、通过查看Looper.java源码可知,在执行主线程时会执行一个prepare()方法,代码如下所示,其中 sThreadLocal.get() 会从当前线程获取数据,而且通过所写的运行时异常可知,Android中一个Thread只能绑定一个Looper对象,并且是ThreadLocal通过set( ) 方法将Looper对象绑定到当前线程中的。
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));
}
2、在创建Looper对象的时候,在构造函数中创建了MessageQueue,一个Looper对象中只有一个MessageQueue对象。
private Looper(boolean quitAllowed) {
mQueue = new MessageQueue(quitAllowed);
mThread = Thread.currentThread();
}
Handler
Handler —— 是Android消息机制的上层接口,这使得在开发过程中只需要和Handler交互即可。Handler的使用过程很简单,通过它可以很轻松地将一个任务切换到Handler所在的线程中去执行。有时候需要在子线程中进行耗时的I/O操作,可能是读取文件或者访问网络等,当耗时操作完成以后可能需要在UI上做一些改变,由于Android 开发规范的限制,我们并不能在子线程中访问UI控件,否则就会触发程序异常(android.view.ViewRoot$CalledFromWrongThreadException: Only the original thread that created a view hierarchy can touch its views.——只有创建视图层次结构的原始线程才能触及它的视图),这个时候通过Handler就可以将更新UI的操作切换到主线程中执行,Handler并不是专门用来更新UI的,它只是常被开发者用来更新UI。Handler 的运行需要底层的MessageQueue 和 Looper 的支撑,MessageQueue 内部存储结构并不是真正的队列,而是采用单链表的数据结构来存储消息列表.ThreadLocal并不是线程,它的作用是可以在每个线程中存储数据,线程默认没有Looper的,如果需要使用Handler 就必须为线程创建Looper.主线程也叫UI线程,它就是ActivityThread,ActivityThread被创建时就会初始化Looper,这也就是在主线程中默认可以使用Handler的原因.
1、因为在Handler源码中有这样的一行代码,而且mylooper()方法返回值是一个从当前线程中获取数据的方法,也就是sThreadLocal.get(),也就是获取Looper对象,因为是 Handler调用的Looper.myLopper() 方法,所以,当前线程是Handler.
mLooper = Looper.myLooper();
2、在new Handler()的时候,首先会去调用Looper.myLopper() 方法去把主线程中绑定的Looper对象拿出来.
public static @Nullable Looper myLooper() {
return sThreadLocal.get();
}
3、从Looper对象上引用了MessageQueue.
mQueue = mLooper.mQueue;
Looper.loop();
1、从当前线程中获取Looper对象.
final Looper me = myLooper();
2、从Looper对象上引用了MessageQueue.
final MessageQueue queue = me.mQueue;
3、从MessageQueue不断获取Msg.
for (;;) {
Message msg = queue.next(); // might block(获取不到消息,就会阻塞)
if (msg == null) { //null,没有消息,表明消息队列正在退出.
// No message indicates that the message queue is quitting.
return;
}
` **······**
}
4、获取到msg,就会分发
msg.target.dispatchMessage(msg);
public void dispatchMessage(Message msg) {
if (msg.callback != null) {
handleCallback(msg);
} else {
if (mCallback != null) {
if (mCallback.handleMessage(msg)) {
return;
}
}
handleMessage(msg);
}
}
h.sendMessage(msg);
1、该方法是在Handler.java里面执行的,所以this就是new Handler(),也就是说msg引用到了handler.
msg.target = this;