forked from taskforcesh/bullmq
-
Notifications
You must be signed in to change notification settings - Fork 0
/
child-processor.ts
233 lines (213 loc) · 6 KB
/
child-processor.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
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
import { promisify } from 'util';
import {
ChildCommand,
JobJson,
ParentCommand,
ParentMessage,
SandboxedJob,
} from '../interfaces';
import { childSend } from '../utils';
enum ChildStatus {
Idle,
Started,
Terminating,
Errored,
}
/**
* ChildProcessor
*
* This class acts as the interface between a child process and it parent process
* so that jobs can be processed in different processes than the parent.
*
*/
export class ChildProcessor {
public status: ChildStatus;
public processor: any;
public currentJobPromise: Promise<unknown> | undefined;
public async init(processorFile: string): Promise<void> {
let processor;
try {
processor = require(processorFile);
} catch (err) {
this.status = ChildStatus.Errored;
return childSend(process, {
cmd: ParentCommand.InitFailed,
err: <Error>err,
});
}
if (processor.default) {
// support es2015 module.
processor = processor.default;
}
if (processor.length > 1) {
processor = promisify(processor);
} else {
const origProcessor = processor;
processor = function (...args: any[]) {
try {
return Promise.resolve(origProcessor(...args));
} catch (err) {
return Promise.reject(err);
}
};
}
this.processor = processor;
this.status = ChildStatus.Idle;
await childSend(process, {
cmd: ParentCommand.InitCompleted,
});
}
public async start(jobJson: JobJson): Promise<void> {
if (this.status !== ChildStatus.Idle) {
return childSend(process, {
cmd: ParentCommand.Error,
err: new Error('cannot start a not idling child process'),
});
}
this.status = ChildStatus.Started;
this.currentJobPromise = (async () => {
try {
const job = wrapJob(jobJson);
const result = (await this.processor(job)) || {};
await childSend(process, {
cmd: ParentCommand.Completed,
value: result,
});
} catch (err) {
await childSend(process, {
cmd: ParentCommand.Failed,
value: !(<Error>err).message ? new Error(<any>err) : err,
});
} finally {
this.status = ChildStatus.Idle;
this.currentJobPromise = undefined;
}
})();
}
public async stop(): Promise<void> {}
async waitForCurrentJobAndExit(): Promise<void> {
this.status = ChildStatus.Terminating;
try {
await this.currentJobPromise;
} finally {
process.exit(process.exitCode || 0);
}
}
}
// https://stackoverflow.com/questions/18391212/is-it-not-possible-to-stringify-an-error-using-json-stringify
if (!('toJSON' in Error.prototype)) {
Object.defineProperty(Error.prototype, 'toJSON', {
value: function toJSONByBull() {
const alt: any = {};
const _this = this;
Object.getOwnPropertyNames(_this).forEach(function (key) {
alt[key] = _this[key];
}, this);
return alt;
},
configurable: true,
writable: true,
});
}
/**
* Enhance the given job argument with some functions
* that can be called from the sandboxed job processor.
*
* Note, the `job` argument is a JSON deserialized message
* from the main node process to this forked child process,
* the functions on the original job object are not in tact.
* The wrapped job adds back some of those original functions.
*/
function wrapJob(job: JobJson): SandboxedJob {
let progressValue = job.progress;
const updateProgress = async (progress: number | object) => {
// Locally store reference to new progress value
// so that we can return it from this process synchronously.
progressValue = progress;
// Send message to update job progress.
await childSend(process, {
cmd: ParentCommand.Progress,
value: progress,
});
};
const progress = (progress?: number | object) => {
console.warn(
[
'BullMQ: DEPRECATION WARNING! progress function in sandboxed processor is deprecated. This will',
'be removed in the next major release, you should use updateProgress method instead.',
].join(' '),
);
if (progress) {
return updateProgress(progress);
} else {
// Return the last known progress value.
return progressValue;
}
};
return {
...job,
data: JSON.parse(job.data || '{}'),
opts: job.opts,
returnValue: JSON.parse(job.returnvalue || '{}'),
/**
* @deprecated Use updateProgress instead.
* Emulate the real job `progress` function.
* If no argument is given, it behaves as a sync getter.
* If an argument is given, it behaves as an async setter.
*/
progress,
/*
* Emulate the real job `updateProgress` function, should works as `progress` function.
*/
updateProgress,
/*
* Emulate the real job `log` function.
*/
log: async (row: any) => {
childSend(process, {
cmd: ParentCommand.Log,
value: row,
});
},
/*
* Emulate the real job `update` function.
*/
update: async (data: any) => {
childSend(process, {
cmd: ParentCommand.Update,
value: data,
});
},
/*
* Emulate the real job `getChildrenValues` function.
*/
getChildrenValues: async <CT = any>(): Promise<{
[jobKey: string]: CT;
}> => {
let msgHandler: any;
const done = new Promise<{
[jobKey: string]: CT;
}>(resolve => {
msgHandler = async (msg: ParentMessage) => {
switch (msg.cmd) {
case ChildCommand.GetChildrenValues: {
resolve(msg.value);
break;
}
}
};
});
process.on('message', msgHandler);
try {
childSend(process, {
cmd: ParentCommand.GetChildrenValues,
});
const childrenValues = await done;
process.removeListener('message', msgHandler);
return childrenValues;
} catch (err) {
// TODO: how to handle this error? Is this try/catch needed at all?
}
},
};
}