1
0
Fork 0
mirror of https://github.com/denoland/deno.git synced 2024-11-22 15:06:54 -05:00
denoland-deno/timers.ts

91 lines
1.6 KiB
TypeScript
Raw Normal View History

2018-05-21 22:07:40 -04:00
import { main as pb } from "./msg.pb";
import * as dispatch from "./dispatch";
2018-05-18 11:49:28 -04:00
let nextTimerId = 1;
// tslint:disable-next-line:no-any
export type TimerCallback = (...args: any[]) => void;
2018-05-18 11:49:28 -04:00
interface Timer {
id: number;
cb: TimerCallback;
interval: boolean;
// tslint:disable-next-line:no-any
args: any[];
2018-05-18 11:49:28 -04:00
duration: number; // milliseconds
}
const timers = new Map<number, Timer>();
2018-05-21 22:07:40 -04:00
export function initTimers() {
dispatch.sub("timers", onMessage);
}
function onMessage(payload: Uint8Array) {
const msg = pb.Msg.decode(payload);
const { id, done } = msg.timerReady;
const timer = timers.get(id);
if (!timer) {
return;
}
timer.cb(...timer.args);
2018-05-21 22:07:40 -04:00
if (done) {
timers.delete(id);
}
}
export function setTimeout(
cb: TimerCallback,
duration: number,
// tslint:disable-next-line:no-any
...args: any[]
): number {
2018-05-18 11:49:28 -04:00
const timer = {
id: nextTimerId++,
interval: false,
duration,
args,
2018-05-18 11:49:28 -04:00
cb
};
timers.set(timer.id, timer);
2018-05-23 11:31:53 -04:00
dispatch.sendMsg("timers", {
2018-05-18 11:49:28 -04:00
timerStart: {
id: timer.id,
interval: false,
duration
}
});
return timer.id;
}
// TODO DRY with setTimeout
export function setInterval(
cb: TimerCallback,
repeat: number,
// tslint:disable-next-line:no-any
...args: any[]
): number {
const timer = {
id: nextTimerId++,
interval: true,
duration: repeat,
args,
cb
};
timers.set(timer.id, timer);
dispatch.sendMsg("timers", {
timerStart: {
id: timer.id,
interval: true,
duration: repeat
}
});
return timer.id;
}
export function clearTimer(id: number) {
dispatch.sendMsg("timers", {
timerClear: { id }
});
}