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

90 lines
1.9 KiB
TypeScript
Raw Normal View History

2018-05-28 21:50:44 -04:00
// Copyright 2018 Ryan Dahl <ry@tinyclouds.org>
// All rights reserved. MIT License.
2018-05-21 22:07:40 -04:00
import { main as pb } from "./msg.pb";
2018-06-05 04:10:27 -04:00
import { pubInternal, sub } from "./dispatch";
2018-05-25 15:36:13 -04:00
import { assert } from "./util";
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[];
delay: number; // milliseconds
2018-05-18 11:49:28 -04:00
}
const timers = new Map<number, Timer>();
2018-05-21 22:07:40 -04:00
export function initTimers() {
2018-06-05 04:10:27 -04:00
sub("timers", onMessage);
2018-05-21 22:07:40 -04:00
}
function onMessage(payload: Uint8Array) {
const msg = pb.Msg.decode(payload);
2018-05-25 15:36:13 -04:00
assert(msg.command === pb.Msg.Command.TIMER_READY);
2018-06-05 04:43:00 -04:00
const { timerReadyId, timerReadyDone } = msg;
const timer = timers.get(timerReadyId);
if (!timer) {
return;
}
timer.cb(...timer.args);
2018-06-05 04:43:00 -04:00
if (timerReadyDone) {
timers.delete(timerReadyId);
2018-05-21 22:07:40 -04:00
}
}
function setTimer(
cb: TimerCallback,
delay: number,
interval: boolean,
// tslint:disable-next-line:no-any
args: any[]
): number {
2018-05-18 11:49:28 -04:00
const timer = {
id: nextTimerId++,
interval,
delay,
args,
2018-05-18 11:49:28 -04:00
cb
};
timers.set(timer.id, timer);
2018-06-05 04:10:27 -04:00
pubInternal("timers", {
2018-05-25 15:36:13 -04:00
command: pb.Msg.Command.TIMER_START,
timerStartId: timer.id,
timerStartInterval: timer.interval,
timerStartDelay: timer.delay
2018-05-18 11:49:28 -04:00
});
return timer.id;
}
export function setTimeout(
cb: TimerCallback,
delay: number,
// tslint:disable-next-line:no-any
...args: any[]
): number {
return setTimer(cb, delay, false, args);
}
export function setInterval(
cb: TimerCallback,
delay: number,
// tslint:disable-next-line:no-any
...args: any[]
): number {
return setTimer(cb, delay, true, args);
}
export function clearTimer(id: number) {
timers.delete(id);
2018-06-05 04:10:27 -04:00
pubInternal("timers", {
2018-05-25 15:36:13 -04:00
command: pb.Msg.Command.TIMER_CLEAR,
timerClearId: id
});
}