1
0
Fork 0
js-utils/src/Async.ts

55 lines
1.1 KiB
TypeScript
Raw Normal View History

import { TimeoutError } from './error/TimeoutError';
2020-03-31 22:38:25 +00:00
import { PredicateC0 } from './Predicate';
2020-03-29 13:43:52 +00:00
/**
* Resolve after a set amount of time.
* @public
2020-03-29 13:43:52 +00:00
*/
export function defer(ms: number): Promise<void> {
return new Promise((res, _rej) => {
setTimeout(() => {
res();
}, ms);
});
}
export function deferValue<T>(ms: number, val: T): Promise<T> {
return new Promise((res, _rej) => {
2020-03-29 13:43:52 +00:00
setTimeout(() => {
res(val);
}, ms);
});
}
/**
* Reject after a set amount of time if the original promise has not yet resolved.
* @public
2020-03-29 13:43:52 +00:00
*/
export function timeout<T>(ms: number, oper: Promise<T>): Promise<T> {
const limit = new Promise<T>((_res, rej) => {
2020-03-29 13:43:52 +00:00
setTimeout(() => {
rej(new TimeoutError());
}, ms);
});
return Promise.race([limit, oper]);
}
/**
* Reject after a set number of attempts if the given predicate does not return true.
* @public
* @throws TimeoutError
*/
export async function waitFor(cb: PredicateC0, step: number, count: number): Promise<void> {
2020-03-29 13:43:52 +00:00
let accum = 0;
while (accum < count) {
await defer(step);
if (cb()) {
return;
}
accum += 1;
}
throw new TimeoutError();
}