-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathTaskHandlerBase.ts
104 lines (87 loc) · 1.93 KB
/
TaskHandlerBase.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
/*!
* @author electricessence / https://github.com/electricessence/
* @license MIT
*/
import DisposableBase from '@tsdotnet/disposable/dist/DisposableBase';
import Cancellable from './Cancellable';
import TaskStatus from './TaskStatus';
const NAME = 'TaskHandlerBase';
/**
* A simple class for handling potentially repeated executions either deferred or immediate.
*/
export default abstract class TaskHandlerBase
extends DisposableBase
implements Cancellable
{
private _timeoutId: any;
protected constructor ()
{
super(NAME);
this._timeoutId = null;
this._status = TaskStatus.Created;
}
private _status: TaskStatus;
get status (): TaskStatus
{
return this.getStatus();
}
get isScheduled (): boolean
{
return !!this._timeoutId;
}
// Use a static function here to avoid recreating a new function every time.
private static _handler (d: TaskHandlerBase): void
{
d.cancel();
d._status = TaskStatus.Running;
try
{
d._onExecute();
d._status = TaskStatus.RanToCompletion;
}
catch(ex)
{
d._status = TaskStatus.Faulted;
}
}
/**
* Schedules/Reschedules triggering the task.
* @param defer Optional time to wait until triggering.
*/
start (defer: number = 0): void
{
this.throwIfDisposed();
this.cancel();
this._status = TaskStatus.WaitingToRun;
if(!(defer>0)) defer = 0; // A negation is used to catch edge cases.
if(isFinite(defer))
this._timeoutId = setTimeout(TaskHandlerBase._handler, defer, this);
}
runSynchronously (): void
{
this.throwIfDisposed();
TaskHandlerBase._handler(this);
}
cancel (): boolean
{
const id = this._timeoutId;
if(id)
{
clearTimeout(id);
this._timeoutId = null;
this._status = TaskStatus.Cancelled;
return true;
}
return false;
}
protected getStatus (): TaskStatus
{
return this._status;
}
protected abstract _onExecute (): void;
protected _onDispose (): void
{
this.cancel();
(this as any)._status = null;
}
}