好的。我现在更好地理解你在做什么。我以为你在用线程来计数。现在听起来你正在使用它来更新 UI。
相反,您可能应该做的是使用 self-calling Handler
。 Handler
s 是可以异步运行的漂亮的小类。由于它们的多样性,它们在 Android 中被广泛使用。
static final int UPDATE_INTERVAL = 1000; // in milliseconds. Will update every 1 second
Handler clockHander = new Handler();
Runnable UpdateClock extends Runnable {
View clock;
public UpdateClock(View clock) {
// Do what you need to update the clock
clock.invalidate(); // tell the clock to redraw.
clockHandler.postDelayed(this, UPDATE_INTERVAL); // call the handler again
}
}
UpdateClock runnableInstance;
public void start() {
// start the countdown
clockHandler.post(this); // tell the handler to update
}
@Override
public void onCreate(Bundle icicle) {
// create your UI including the clock view
View myClockView = getClockView(); // custom method. Just need to get the view and pass it to the runnable.
runnableInstance = new UpdateClock(myClockView);
}
@Override
public void onPause() {
clockHandler.removeCallbacksAndMessages(null); // removes all messages from the handler. I.E. stops it
}
这将做的是将消息发布到Handler
将运行的。在这种情况下,它每 1 秒发布一次。有一点延迟,因为Handlers
消息队列在可用时运行。它们也在创建它们的线程上运行,因此如果您在 UI 线程上创建它,您将能够更新 UI,而无需任何花哨的技巧。您删除 中的消息onPause()
以停止更新 UI。时钟可以继续在后台运行,但您不会再向用户显示它。