Handler、loop、MessageQueue的工作原理
Message:Handler接收和处理的消息对象
Looper:每个线程只能拥有一个looper.它的loop方法负责读取MessageQueue中的消息,读到信息之后就把消息返回给handler处理
MessageQueue:消息队列。程序创建Looper对象时,会在它的构造器中创建MessageQueue对象
---------------------
作者:crazy_kid_hnf
来源:CSDN
原文:https://blog.csdn.net/crazy\_kid\_hnf/article/details/53133004
版权声明:本文为博主原创文章,转载请附上博文链接!
public class MainActivity extends Activity {
private TextView textView;
private Handler handler = new Handler(){
@Override
public void handleMessage(Message msg) {
textView.setText("ok2");//第二种更新ui的方法
}
};
//第一种用handler更新UI的方法
private void handler1(){
handler.post(new Runnable() {
@Override
public void run() {
textView.setText("ok1");
}
});
}
//第二种用handler更新UI的方法
private void handler2(){
handler.sendEmptyMessage(1);//此处发送消息给handler,然后handler接收消息并处理消息进而更新ui
}
//第三种用handler更新UI的方法
private void handler3(){
runOnUiThread(new Runnable() {
@Override
public void run() {
textView.setText("ok3");
}
});
}
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
textView = (TextView) findViewById(R.id.textview);
new Thread(){
@Override
public void run() {
try {
Thread.sleep(1000);
handler1();//第一种更新UI的方法
handler2();//第二种更新UI的方法
handler3();//第三种更新UI的方法
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}.start();
}
}