发布时间:2023-10-21 17:30
先上效果图:
此app实现的功能是从0开始计时,每隔一秒数字加1,是一个简易的计时器。
这是工程目录:
首先写两个TextView,一个显示“计时”(countername),一个显示时间(showCounter)。
要想实现计时功能,则必须要用线程来实现,而要改变显示的数字,也就是Android线程要和UI交互,需要使用Handler!
只有主线程才能去更新UI界面,其余的子线程都不可操作UI界面。这其实是Android与java不同的一点,在Android中,我们称主线程为UI线程,而对界面的更新操作只能由UI线程来做,大家可以这样想象:假设我们把界面看成一家商店,而UI线程看成这家商店的店面员工。每当用户有要求,需要购买东西时,员工总要第一时间内处理,同时又不能打乱商品顺序,否则就会乱套,那唯一最好的方式,就是由一个员工来处理用户所提的所有要求,这个员工就是UI线程。如若,请了多名员工(多个子线程)来同时处理事务,结果可能就是整个商店就是乱的。但是,仅仅靠UI线程一个员工来打理整个商店,肯定是处理不过来的。所以我们势必需要多个子线程来分工,但是不能乱套,那么我们可以想到,由UI线程来调控所有要处理的事物,然后将这些事物分给多个员工(多个子线程),由他们具体处理这些任务,处理完之后,将处理的结果告知UI线程,由UI线程来把最终的商品给予用户。事实上,Android就是这样处理的。而处理的方法就采用的Handler机制。
下面是代码部分,注释写在代码中了…
public class MainActivity extends Activity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
// 找出showCounter组件
TextView showCounter = (TextView) this.findViewById(R.id.showCounter);
// handler类
final handler handle = new handler(showCounter);
// 线程
new Thread() {
public void run() {
int i = 0;
while (i <= 60) {
// 获得消息,并写好message中内容,这里采用了回收机制
Message msg = handle.obtainMessage();// 1、新建空消息
msg.obj = \"\" + (i++);// 2、带上消息内容
handle.sendMessage(msg);// 3、发送消息
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
}.start();
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
// Inflate the menu; this adds items to the action bar if it is present.
getMenuInflater().inflate(R.menu.main, menu);
return true;
}
}
public class handler extends Handler {
TextView showCounter;
public handler(TextView showCounter) {
super();
this.showCounter = showCounter;
}
// 处理消息
public void handleMessage(Message msg) {
String text = (String) msg.obj;
showCounter.setText(text);
}
}
我还另外写了一段更精简的代码,功能与计时器类似,可供参考:
public class MainActivity extends Activity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
Button buStart = (Button) this.findViewById(R.id.buStart);
final Button buDis = (Button) this.findViewById(R.id.buDis);
// Android线程和UI交互时,必须使用Handler
// new 一个处理器对象
final Handler hand = new Handler() {
public void handleMessage(Message msg) {
String s = (String) msg.obj;
buDis.setText(s);
}
};
// 给按钮加监听器
buStart.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
// TODO Auto-generated method stub
new Thread() {
public void run() {
int i = 0;
while (true) {
i++;
String s = \"数字: \" + i;
// 发给处理器去处理
Message m = hand.obtainMessage();// 1、用处理器创建一个空消息
m.obj = s;// 2、带上消息内容
hand.sendMessage(m);// 3、发送给处理器
// 延时
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
}.start();
}
});
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
// Inflate the menu; this adds items to the action bar if it is present.
getMenuInflater().inflate(R.menu.main, menu);
return true;
}
}