I would like to know how to display the time remaining in my handler. When I click a button, I run my handler for x seconds, and I want to display a countdown on the screen before the end of the handler.
Asked
Active
Viewed 493 times
3 Answers
0
Try this:
int time = 60; // seconds
final Handler handler = new Handler();
Runnable runnable = new Runnable() {
public void run() {
time--;
mTextView.setText(time + " seconds");
}
};
handler.postDelayed(runnable, 1000);

Gokul Nath KP
- 15,485
- 24
- 88
- 126
0
Example of showing a 30 second countdown in a text field:
new CountDownTimer(30000, 1000) {
public void onTick(long millisUntilFinished) {
mTextField.setText("seconds remaining: " + millisUntilFinished / 1000);
}
public void onFinish() {
mTextField.setText("done!");
}
}.start();

Thomas Mary
- 1,535
- 1
- 13
- 24
-
It works fine thank you, last detail, if I put 5 seconds, it shows: 5, 4, 3, 2, 1 and 0. In the end it's 6 seconds. How to remove the 0 at the end? – MaximeG31 Feb 27 '19 at 17:24
0
It works fine thank you, last detail, if I put 5 seconds, it shows: 5, 4, 3, 2, 1 and 0. In the end it's 6 seconds.
Maxime, as I read in your comment to Thomas Mary's answer, you want to avoid getting an extra call to onTick().
You're seeing this because the original implementation of CountDownTimer calls onTick() for the first time as soon as (without delay) the timer is started.
How to remove the 0 at the end?
For this you can use this modified CountDownTimer :
public abstract class CountDownTimer {
private final long mMillisInFuture;
private final long mCountdownInterval;
private long mStopTimeInFuture;
private boolean mCancelled = false;
public CountDownTimer(long millisInFuture, long countDownInterval) {
mMillisInFuture = millisInFuture;
mCountdownInterval = countDownInterval;
}
public synchronized final void cancel() {
mCancelled = true;
mHandler.removeMessages(MSG);
}
public synchronized final CountDownTimer start() {
mCancelled = false;
if (mMillisInFuture <= 0) {
onFinish();
return this;
}
mStopTimeInFuture = SystemClock.elapsedRealtime() + mMillisInFuture;
onTick(mMillisInFuture);
mHandler.sendMessageDelayed(mHandler.obtainMessage(MSG), mCountdownInterval);
return this;
}
public abstract void onTick(long millisUntilFinished);
public abstract void onFinish();
private static final int MSG = 1;
private Handler mHandler = new Handler() {
@Override
public void handleMessage(Message msg) {
synchronized (CountDownTimer.this) {
if (mCancelled)
return;
final long millisLeft = mStopTimeInFuture - SystemClock.elapsedRealtime();
if (millisLeft <= 0) {
onFinish();
} else {
onTick(millisLeft);
sendMessageDelayed(obtainMessage(MSG), mCountdownInterval);
}
}
}
};
}
Note that you might need to adjust your implementation in onTick() method accordingly.

Shrey Garg
- 1,317
- 1
- 7
- 17