Search code examples
javascriptjqueryhtmlsetintervalpausing-execution

how do I pause and resume a timer?


I got this function that starts a timer on this format 00:00:00 whenever I click on a button. But I don't know how to do functions resume and pause. I've found some snippets that I thought could be helpful but I couldn't make those work. I'm new to using objects in js.

function clock() {
  var pauseObj = new Object();

  var totalSeconds = 0;
  var delay = setInterval(setTime, 1000);

  function setTime() {
    var ctr;
    $(".icon-play").each(function () {
      if ($(this).parent().hasClass('hide')) ctr = ($(this).attr('id')).split('_');
    });

    ++totalSeconds;
    $("#hour_" + ctr[1]).text(pad(Math.floor(totalSeconds / 3600)));
    $("#min_" + ctr[1]).text(pad(Math.floor((totalSeconds / 60) % 60)));
    $("#sec_" + ctr[1]).text(pad(parseInt(totalSeconds % 60)));
  }
}

pad() just adds leading zeros


Solution

  • I think it will be better if you will create clock object. See code (see Demo: http://jsfiddle.net/f9X6J/):

    var Clock = {
      totalSeconds: 0,
    
      start: function () {
        var self = this;
    
        this.interval = setInterval(function () {
          self.totalSeconds += 1;
    
          $("#hour").text(Math.floor(self.totalSeconds / 3600));
          $("#min").text(Math.floor(self.totalSeconds / 60 % 60));
          $("#sec").text(parseInt(self.totalSeconds % 60));
        }, 1000);
      },
    
      pause: function () {
        clearInterval(this.interval);
        delete this.interval;
      },
    
      resume: function () {
        if (!this.interval) this.start();
      }
    };
    
    Clock.start();
    
    $('#pauseButton').click(function () { Clock.pause(); });
    $('#resumeButton').click(function () { Clock.resume(); });