Timeout cukup mudah untuk menemukan solusinya, tetapi Interval sedikit lebih rumit.
Saya datang dengan dua kelas berikut untuk menyelesaikan masalah ini:
function PauseableTimeout(func, delay){
this.func = func;
var _now = new Date().getTime();
this.triggerTime = _now + delay;
this.t = window.setTimeout(this.func,delay);
this.paused_timeLeft = 0;
this.getTimeLeft = function(){
var now = new Date();
return this.triggerTime - now;
}
this.pause = function(){
this.paused_timeLeft = this.getTimeLeft();
window.clearTimeout(this.t);
this.t = null;
}
this.resume = function(){
if (this.t == null){
this.t = window.setTimeout(this.func, this.paused_timeLeft);
}
}
this.clearTimeout = function(){ window.clearTimeout(this.t);}
}
function PauseableInterval(func, delay){
this.func = func;
this.delay = delay;
this.triggerSetAt = new Date().getTime();
this.triggerTime = this.triggerSetAt + this.delay;
this.i = window.setInterval(this.func, this.delay);
this.t_restart = null;
this.paused_timeLeft = 0;
this.getTimeLeft = function(){
var now = new Date();
return this.delay - ((now - this.triggerSetAt) % this.delay);
}
this.pause = function(){
this.paused_timeLeft = this.getTimeLeft();
window.clearInterval(this.i);
this.i = null;
}
this.restart = function(sender){
sender.i = window.setInterval(sender.func, sender.delay);
}
this.resume = function(){
if (this.i == null){
this.i = window.setTimeout(this.restart, this.paused_timeLeft, this);
}
}
this.clearInterval = function(){ window.clearInterval(this.i);}
}
Ini dapat diimplementasikan seperti:
var pt_hey = new PauseableTimeout(function(){
alert("hello");
}, 2000);
window.setTimeout(function(){
pt_hey.pause();
}, 1000);
window.setTimeout("pt_hey.start()", 2000);
Contoh ini akan menyetel Timeout yang dapat dijeda (pt_hey) yang dijadwalkan untuk memberi peringatan, "hey" setelah dua detik. Timeout lain menjeda pt_hey setelah satu detik. Timeout ketiga melanjutkan pt_hey setelah dua detik. pt_hey berjalan selama satu detik, berhenti sebentar, kemudian melanjutkan berjalan. pt_hey terpicu setelah tiga detik.
Sekarang untuk interval yang lebih rumit
var pi_hey = new PauseableInterval(function(){
console.log("hello world");
}, 2000);
window.setTimeout("pi_hey.pause()", 5000);
window.setTimeout("pi_hey.resume()", 6000);
Contoh ini menyetel Interval yang dapat dijeda (pi_hey) untuk menulis "hello world" di konsol setiap dua detik. Sebuah timeout menjeda pi_hey setelah lima detik. Batas waktu lain melanjutkan pi_hey setelah enam detik. Jadi pi_hey akan memicu dua kali, lari selama satu detik, jeda selama satu detik, lari selama satu detik, lalu lanjutkan memicu setiap 2 detik.
FUNGSI LAINNYA
clearTimeout () dan clearInterval ()
pt_hey.clearTimeout();
dan pi_hey.clearInterval();
berfungsi sebagai cara mudah untuk menghapus batas waktu dan interval.
getTimeLeft ()
pt_hey.getTimeLeft();
dan pi_hey.getTimeLeft();
akan mengembalikan berapa milidetik hingga pemicu berikutnya dijadwalkan untuk terjadi.