这次学习了android中一个很重要的组件handler,我目前知道最大的作用就是main thread 和 worker thread 互相传递消息..
首先是 worker thread 向 main thread 发送消息..
基本思路就是,
1.在主线程中生成一个handler,初始化..
2.覆盖handler的handlemessage方法.
3.在worker thread 中通过handler.obtainMessage()获得一个消息对象.
4.把需要传给主线程的信息放到消息对象中.
5.通过handler.sendmessage方法发送消息给主线程.
然后主类的handlemessage方法就会接收到worker thread 线程中发送来的消息..
基本运行原理
handler把消息放入到messagequeue队列中去.
looper不断的向外取出消息对象.
交给产生message的handler进行处理.
在就是通过 main thread 向 worker thread 中 发送消息.
1.在work thread 中初始化handler对象,并覆盖它的handlemessage()方法.
2.在主线程的监听器中,过去一个消息对象.
3.把需要传个worker thread 的消息放到对象中.
4.通过handler.sendmessage方法发送消息给worker thread
需要注意的是,worker thread 线程中的处理时, 一定要
先准备 Looper.prepare();
在生成handler对象.
然后调用Looper.loop();方法.不断从消息队列中取出消息.就可以了.
下面附带主要代码.
传送消息给worker thread, 下面是 run()方法的内容
public void run() {
//准备looper对象
Looper.prepare();
//在workerthread当中生成一个handler对象
handler = new Handler(){
@Override
public void handleMessage(Message msg) {
System.out.println("收到OnClick:"+ Thread.currentThread().getName());
}
};
//调用looper的loop()方法之后,looper对象将不断的从消息队列中取出
//消息对象.然后调用handler的handleMessage方法来处理消息如果消息队列没有对象,则该线程阻塞
Looper.loop();
}
这个是主线程的类.
class MyHandler extends Handler {
@Override
public void handleMessage(Message msg) {
String s = (String)msg.obj;
System.out.println("当前线程名:" + Thread.currentThread().getName());
tv1.setText(s);
}
}
这个是worker thread 传送消息给主类, 主类的消息队列获得消息后传送个myHandler类中的方法 handleMessage
class NetworkThread extends Thread {
public void run() {
System.out.println("当前线程名:" + Thread.currentThread().getName());
try {
Thread.sleep(2 * 1000);
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
String s = "从网络当中获取的数据";
Message msg = handler.obtainMessage();
msg.obj = s;
handler.sendMessage(msg);
}
}