为什么要用Handler
主线程不能进行耗时操作,所以要在子线程中进行,由Handler来负责与子线程进行通讯,从而让子线程与主线程之间建立起协作的桥梁,使Android的UI更新的问题得到完美的解决
什么是Handler
在主线程中我们绑定了Handler,并在事件触发上面创建新的线程用于完成某些耗时的操作,当子线程中的工作完成之后,会对Handler发送一个完成的信号,而Handler接收到信号后,就进行主UI界面的更新操作。
什么是looper
Looper 消息封装的载体内部包含了MessageQueue,负责从MessageQueue取出消息,然后交给Handler处理
什么是 MessageQueue
MessageQueue 就是一个消息队列,负责存储消息,有消息过来就存储起来,Looper会循环的从MessageQueue读取消息。
Handler怎么用
Handler封装了消息的发送,也负责接收消息。内部会跟Looper关联。
案例解析-倒计时demo
1.布局文件创建一个testview和button:
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
tools:context=".DownloadActivity">
<TextView
android:gravity="center"
android:textSize="25sp"
android:id="@+id/download_tv"
android:layout_width="match_parent"
android:layout_height="40dp"
android:text="倒计时"/>
<Button
android:id="@+id/download_btn"
android:layout_width="match_parent"
android:layout_height="40dp"
android:text="开始"/>
</LinearLayout>
2.
package com.example.liujun.viewpage;
import android.annotation.SuppressLint;
import android.os.Handler;
import android.os.Message;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.TextView;
public class DownloadActivity extends AppCompatActivity implements View.OnClickListener {
private TextView downloadTV;
private Button downloadBtn;
private int count = 10;
@SuppressLint("HandlerLeak")
private Handler handler = new Handler() {
@Override
public void handleMessage(Message msg) {
super.handleMessage(msg);
if (msg.obj != null) {
String result = (String) msg.obj;
downloadTV.setText(result);
} else {
downloadTV.setText(msg.what + "");
}
}
};
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_download);
bindID();
}
private void bindID() {
downloadBtn = (Button) findViewById(R.id.download_btn);
downloadTV = (TextView) findViewById(R.id.download_tv);
downloadBtn.setOnClickListener(this);
}
@Override
public void onClick(View v) {
switch (v.getId()) {
case R.id.download_btn:
new Thread(new Runnable() {
@Override
public void run() {
while (count > 0) {
handler.sendEmptyMessage(count);
count--;
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
Message msg = handler.obtainMessage();
msg.obj = "倒计时完成";
handler.sendMessage(msg);
}
}).start();
break;
}
}
}
效果: