counter.js 1.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263
  1. export class Countdown {
  2. constructor(expiredDate, onRender, onComplete) {
  3. this.onRender = onRender;
  4. this.onComplete = onComplete;
  5. this.setExpiredDate(expiredDate);
  6. }
  7. setExpiredDate(expiredDate) {
  8. // get the current time
  9. const currentTime = new Date().getTime();
  10. // calculate the remaining time
  11. this.timeRemaining = expiredDate.getTime() - currentTime;
  12. console.log(this.timeRemaining)
  13. this.timeRemaining <= 0 ?
  14. this.complete() :
  15. this.start();
  16. }
  17. complete() {
  18. if (typeof this.onComplete === 'function') {
  19. this.onComplete();
  20. }
  21. }
  22. getTime() {
  23. return {
  24. days: Math.floor(this.timeRemaining / 1000 / 60 / 60 / 24),
  25. hours: Math.floor(this.timeRemaining / 1000 / 60 / 60) % 24,
  26. minutes: Math.floor(this.timeRemaining / 1000 / 60) % 60,
  27. seconds: Math.floor(this.timeRemaining / 1000) % 60
  28. };
  29. }
  30. update() {
  31. if (typeof this.onRender === 'function') {
  32. this.onRender(this.getTime());
  33. }
  34. }
  35. start() {
  36. // update the countdown
  37. this.update();
  38. // setup a timer
  39. const intervalId = setInterval(() => {
  40. // update the timer
  41. this.timeRemaining -= 1000;
  42. if (this.timeRemaining < 0) {
  43. // call the callback
  44. this.complete();
  45. // clear the interval if expired
  46. clearInterval(intervalId);
  47. } else {
  48. this.update();
  49. }
  50. }, 1000);
  51. }
  52. }