CountdownTimer usage and principle analysis

CountdownTimer usage and principle analysis

[[436754]]

This article is reprinted from the WeChat public account "Android Development Programming", the author is Android Development Programming. Please contact the Android Development Programming public account for reprinting this article.

Preface

There are many ways to write countdown. Today we introduce a countdown control CountDownTimer that comes with Android.

1. CountDownTimer detailed explanation

CountDownTimer: A timed countdown that stops after a certain period of time. During the countdown, you will be notified at fixed intervals.

1. Initialization and start countdown

  1. public CountTimer(long millisInFuture, long countDownInterval) {
  2. super(millisInFuture, countDownInterval);
  3. }
  4. @Override
  5. public void initData() {
  6. countDownTimer = new CountDownTimer(200000, 1000) {
  7. @Override
  8. public void onTick(long millisUntilFinished) {
  9. //Unit day
  10. long day = millisUntilFinished / (1000 * 24 * 60 * 60);
  11. //Unit time
  12. long hour = (millisUntilFinished - day * (1000 * 24 * 60 * 60)) / (1000 * 60 * 60);
  13. //Unit points
  14. long minute = (millisUntilFinished - day * (1000 * 24 * 60 * 60) - hour * (1000 * 60 * 60)) / (1000 * 60);
  15. //Unit: seconds
  16. long second = (millisUntilFinished - day * (1000 * 24 * 60 * 60) - hour * (1000 * 60 * 60) - minute * (1000 * 60)) / 1000;
  17. }
  18. /**
  19. *Called after the countdown ends
  20. */
  21. @Override
  22. public void onFinish() {
  23. }
  24. };
  25. countDownTimer.start();
  26. }
  27. /**
  28. * Remember to close it to prevent memory overflow
  29. */
  30. @Override
  31. protected void onDestroy() {
  32. super.onDestroy();
  33. if (countDownTimer != null ) {
  34. countDownTimer.cancel();
  35. countDownTimer = null ;
  36. }
  37. }

2. Parameters and methods introduction

Initialization parameters

  • millisInFuture The number of milliseconds from when start() is called to when the countdown is completed and the onFinish() method is called (countdown time, in milliseconds);
  • countDownInterval receives the interval time of onTick(long) callback;

method

  • public final void cancel () cancels the countdown (after cancellation, restarting the countdown will restart);
  • public abstract void onFinish () is called when the countdown is completed;
  • public abstract void onTick (long millisUntilFinished) is called at fixed intervals;
  • Parameter millisUntilFinished countdown remaining time;
  • public synchronized final CountDownTimer start () starts the countdown;

2. Source code annotation

  1. import android.os.Handler;
  2. import android.os.Message;
  3. import android.os.SystemClock;
  4. /**
  5. * Schedule a countdown until a time   in the future, with  
  6. * regular notifications on intervals along the way.
  7. *Usage examples in official documentation:
  8. * Example of showing a 30 second countdown in a text field:
  9. *
  10. * <pre class= "prettyprint" >
  11. * new CountDownTimer(30000, 1000) {
  12. *
  13. * public void onTick(long millisUntilFinished) {
  14. * mTextField.setText( "seconds remaining: " + millisUntilFinished / 1000);
  15. * }
  16. *
  17. * public void onFinish() {
  18. * mTextField.setText( "done!" );
  19. * }
  20. * }.start();
  21. * </pre>
  22. *
  23. * The calls to {@link #onTick(long)} are synchronized to this object so that
  24. * one call to {@link #onTick(long)} won't ever occur before the previous
  25. * callback is complete. This is   only relevant when the implementation of  
  26. * {@link #onTick(long)} takes an amount of   time   to   execute that is significant
  27. * compared to the countdown interval.
  28. */
  29. /**
  30. * customize from CountDownTimer
  31. * Created by zhubingning on 16/09/16.
  32. */
  33. public abstract class CustomCountDownTimer {
  34. /**
  35. * Millis since epoch when alarm should stop.
  36. */
  37. private final long mMillisInFuture;
  38. //! add , to save the remaining milliseconds when pausing
  39. private long mCurrentMillisLeft;
  40. /**
  41. * The interval in millis that the user receives callbacks
  42. */
  43. private final long mCountdownInterval;
  44. private long mStopTimeInFuture;
  45. /**
  46. * boolean representing if the timer was canceled
  47. */
  48. private boolean mCancelled = false ;
  49. /**
  50. * @param millisInFuture The number of millis in the future from the call
  51. * to {@link #start()} until the countdown is done and {@link #onFinish()}
  52. * is called.
  53. * @param countDownInterval The interval along the way to receive
  54. * {@link #onTick(long)} callbacks.
  55. */
  56. //Constructor, (total countdown in milliseconds, countdown interval)
  57. public CustomCountDownTimer(long millisInFuture, long countDownInterval) {
  58. mMillisInFuture = millisInFuture;
  59. mCountdownInterval = countDownInterval;
  60. }
  61. //! add , get the total countdown time at this time
  62. public long getCountTimes(){
  63. return mMillisInFuture;
  64. }
  65. /**
  66. * Cancel the countdown.
  67. */
  68. //Cancel the countdown, the handler takes the message from the message queue
  69. public synchronized final void cancel() {
  70. mCancelled = true ;
  71. mHandler.removeMessages(MSG);
  72. }
  73. /**
  74. * Pause the countdown.
  75. */
  76. //! add , pause, call cancel() function, mCurrentMillisLeft is automatically saved as a global variable
  77. public synchronized final void pause() {
  78. cancel();
  79. }
  80. /**
  81. * Resume the countdown.
  82. */
  83. //! add , resume function, re-add message and start countdown according to the value of mCurrentMillisLeft
  84. public synchronized final void resume() {
  85. mCancelled = false ;
  86. if (mCurrentMillisLeft <= 0) {
  87. onFinish();
  88. return ;
  89. }
  90. mStopTimeInFuture = SystemClock.elapsedRealtime() + mCurrentMillisLeft;
  91. mHandler.sendMessage(mHandler.obtainMessage(MSG));
  92. return ;
  93. }
  94. /**
  95. * Start the countdown.
  96. */
  97. //Start countdown, handler sends message to queue
  98. public synchronized final CustomCountDownTimer start() {
  99. mCancelled = false ;
  100. if (mMillisInFuture <= 0) {
  101. onFinish();
  102. return this;
  103. }
  104. mStopTimeInFuture = SystemClock.elapsedRealtime() + mMillisInFuture;
  105. mHandler.sendMessage(mHandler.obtainMessage(MSG));
  106. return this;
  107. }
  108. /**
  109. * Callback fired on regular interval.
  110. * @param millisUntilFinished The amount of   time until finished.
  111. */
  112. //Virtual function
  113. public abstract void onTick(long millisUntilFinished);
  114. /**
  115. * Callback fired when the time   is up.
  116. */
  117. //Virtual function
  118. public abstract void onFinish();
  119. private static final int MSG = 1;
  120. // handles counting down
  121. //handler
  122. private Handler mHandler = new Handler() {
  123. @Override
  124. public void handleMessage(Message msg) {
  125. //Synchronize threads
  126. synchronized (CustomCountDownTimer.this) {
  127. // Check if the countdown has been canceled
  128. if (mCancelled) {
  129. return ;
  130. }
  131. // Calculate the current remaining milliseconds
  132. final long millisLeft = mStopTimeInFuture - SystemClock.elapsedRealtime();
  133. //According to the remaining milliseconds, either end the countdown, or just delay, or call onTick and delay
  134. if (millisLeft <= 0) {
  135. onFinish();
  136. } else if (millisLeft < mCountdownInterval) {
  137. // no tick, just delay until done
  138. onTick(0);//! add  
  139. sendMessageDelayed(obtainMessage(MSG), millisLeft);
  140. } else {
  141. long lastTickStart = SystemClock.elapsedRealtime();
  142. mCurrentMillisLeft=millisLeft;//! add  
  143. onTick(millisLeft);
  144. // take into account user 's onTick taking time   to   execute  
  145. long delay = lastTickStart + mCountdownInterval - SystemClock.elapsedRealtime();
  146. // special case : user 's onTick took more than interval to  
  147. // complete, skip to   next interval
  148. while (delay < 0) delay += mCountdownInterval;
  149. sendMessageDelayed(obtainMessage(MSG), delay);
  150. }
  151. }
  152. }
  153. };
  154. }

Summarize

It's the end of the year and everyone is very busy. Everyone is trying to make more money and find a good job. If you have any questions, just send me a message.

<<:  What makes Apple users so loyal? What can Chinese smartphones learn from?

>>:  Starting from March 1 next year, WeChat and Alipay personal payment codes will not be used for business payment collection. Media clarification

Recommend

Copywriting skills: 16 common UI copywriting mistakes

There are many techniques in copywriting design, ...

WeChat Moments 9-grid photo production_Taoduoduo

The usage is very simple. Just select the picture...

Three directions for building a brand’s own broadcast matrix account

Before we knew it, it is already June. With the a...

Domestic products do not need Xiaohongshu-style marketing

Xiaohongshu has started to take the black-and-red...

Why did JD Live, which is unconventional, become so popular?

According to official data, the attention of &quo...

How Chinese programmers get Facebook offers

Preface In October 2014, I was fortunate enough t...

A complete Xiaohongshu traffic promotion plan!

Since May 2019, it has been a very difficult year...

The growth caused by one sentence of copywriting and the logical code behind it

Sometimes a piece of copy can achieve unexpected ...

Review: NetEase Kaola’s Double 11 integrated marketing strategy!

I have been searching for spring for half my life...

Analysis of Xigua Video's Competitive Products

In early 2021, Xigua Video anchored mid-length vi...