今天主要说一下关于定时器Timer的用法及应用场景
还是接着昨天关于回调函数的例子,详细请看我的上一篇Android关于回调函数的定义及用法
在此基础上定义定时器,并不断请求数据,进行界面更新操作。这种情况一般应用在当我的界面需要不停的更新数据时。
例如,每隔几秒界面数据会进行改变,这时就需要用到定时器了,话不多说,看代码:
还是昨天的项目
①回调接口 DataCallBack 定义
/**
* 定义一个回调函数
* @author maoxf
*
*/
public interface DataCallBack {
//用于接收数据的方法
public abstract void acceptData(int num);
}
②布局文件定义
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
tools:context="${relativePackage}.${activityClass}" >
<TextView
android:id="@+id/text"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="text"
android:textSize="25sp"/>
</RelativeLayout>
③MainActivity
public class MainActivity extends Activity {
private TextView text;
// 创建Handler对象,用于主线程更新界面
private Handler handler = new Handler() {
@Override
public void handleMessage(Message msg) {
super.handleMessage(msg);
switch (msg.arg1) {
case 1:
//这里用获取系统的时间来模拟更新界面数据
SimpleDateFormat formatter = new SimpleDateFormat(
"yyyy年MM月dd日 HH:mm:ss ");
String date = formatter.format(new Date(System.currentTimeMillis()));
text.setText(date);
break;
case 2:
text.setText("这里是数据2请求成功并更新");
break;
default:
break;
}
}
};
// 创建回调函数,并实现方法
private DataCallBack dc = new DataCallBack() {
@Override
public void acceptData(int num) {
Message msg = Message.obtain();
msg.arg1 = num;
handler.sendMessage(msg);
}
};
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
text = (TextView) findViewById(R.id.text);
// 创建请求数据类对象,将回调对象作为参数传过去
RequestTest req = new RequestTest(dc);
}
}
④RequestTest请求数据类的定义
/**
* 模拟请求数据的类
* @author maoxf
*
*/
public class RequestTest {
private DataCallBack dc;
//创建Timer对象
private Timer timer = new Timer();
//创建TimerTask任务栈,重写Run方法
private TimerTask task = new TimerTask() {
@Override
public void run() {
//这里开始请求数据,此处就略过网络请求过程
if (true) {
//假设这里请求数据成功返回数据,这里就可以回调DataCallBack的方法来判断并操作数据
dc.acceptData(1);//根据请求数据的不同设不同的值
}else{
//请求失败
}
}
};
public RequestTest() {}
//构造方法
public RequestTest(DataCallBack dc){
this.dc = dc;
requestData();
}
/**
* 请求数据的方法
*/
private void requestData() {
//参数1:延迟3秒发送,参数2:每隔3秒发送一下
timer.schedule(task, 3000, 3000);
}
}
看到这里有没有大概理解了,我来理一下思路:
1)在数据请求的类中,在请求数据的方法requestData()中每个一段时间给TimerTask任务栈发送一次消息,执行run方法
2)在定时任务栈的run方法中,进行网络请求数据,并回调DataCallBack中的acceptData()方法,也可以将请求结果作为参数传递过去
3)在acceptData()方法中用handler往主线程发送消息
4)在handler中进行主线程的更新操作
最后是结果展示图:
每隔3秒 更新一次 主界面显示的当前系统时间