-
Notifications
You must be signed in to change notification settings - Fork 2.7k
/
Copy pathrequest-manager.js
457 lines (382 loc) · 10.9 KB
/
request-manager.js
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
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
/* @flow */
import type {Reporter} from '../reporters/index.js';
import {MessageError} from '../errors.js';
import BlockingQueue from './blocking-queue.js';
import * as constants from '../constants.js';
import * as network from './network.js';
import map from '../util/map.js';
import typeof * as RequestModuleT from 'request';
import type RequestT from 'request';
const RequestCaptureHar = require('request-capture-har');
const invariant = require('invariant');
const url = require('url');
const fs = require('fs');
const successHosts = map();
const controlOffline = network.isOffline();
interface RequestError extends Error {
hostname?: ?string,
code?: ?string,
}
export type RequestMethods = 'GET' | 'HEAD' | 'POST' | 'PUT' | 'DELETE';
type RequestParams<T> = {
url: string,
auth?: {
email?: string,
username?: string,
password?: string,
token?: string,
},
buffer?: boolean,
method?: RequestMethods,
queue?: BlockingQueue,
json?: boolean,
body?: mixed,
proxy?: string,
encoding?: ?string,
ca?: Array<string>,
cert?: string,
networkConcurrency?: number,
timeout?: number,
key?: string,
forever?: boolean,
strictSSL?: boolean,
headers?: {
[name: string]: string
},
process?: (
req: RequestT,
resolve: (body: T) => void,
reject: (err: Error) => void
) => void,
callback?: (err: ?Error, res: any, body: any) => void,
retryAttempts?: number,
followRedirect?: boolean
};
type RequestOptions = {
params: RequestParams<Object>,
resolve: (body: any) => void,
reject: (err: any) => void
};
export default class RequestManager {
constructor(reporter: Reporter) {
this.offlineNoRequests = false;
this._requestCaptureHar = null;
this._requestModule = null;
this.offlineQueue = [];
this.captureHar = false;
this.httpsProxy = null;
this.ca = null;
this.httpProxy = null;
this.strictSSL = true;
this.userAgent = '';
this.reporter = reporter;
this.running = 0;
this.queue = [];
this.cache = {};
this.max = constants.NETWORK_CONCURRENCY;
}
offlineNoRequests: boolean;
captureHar: boolean;
userAgent: string;
reporter: Reporter;
running: number;
httpsProxy: ?string;
httpProxy: ?string;
strictSSL: boolean;
ca: ?Array<string>;
cert: ?string;
key: ?string;
offlineQueue: Array<RequestOptions>;
queue: Array<Object>;
max: number;
timeout: number;
cache: {
[key: string]: Promise<any>
};
_requestCaptureHar: ?RequestCaptureHar;
_requestModule: ?RequestModuleT;
setOptions(opts: {
userAgent?: string,
offline?: boolean,
captureHar?: boolean,
httpProxy?: string,
httpsProxy?: string,
strictSSL?: boolean,
ca?: Array<string>,
cafile?: string,
cert?: string,
networkConcurrency?: number,
networkTimeout?: number,
key?: string,
}) {
if (opts.userAgent != null) {
this.userAgent = opts.userAgent;
}
if (opts.offline != null) {
this.offlineNoRequests = opts.offline;
}
if (opts.captureHar != null) {
this.captureHar = opts.captureHar;
}
if (opts.httpProxy != null) {
this.httpProxy = opts.httpProxy;
}
if (opts.httpsProxy != null) {
this.httpsProxy = opts.httpsProxy;
}
if (opts.strictSSL !== null && typeof opts.strictSSL !== 'undefined') {
this.strictSSL = opts.strictSSL;
}
if (opts.ca != null && opts.ca.length > 0) {
this.ca = opts.ca;
}
if (opts.networkConcurrency != null) {
this.max = opts.networkConcurrency;
}
if (opts.networkTimeout != null) {
this.timeout = opts.networkTimeout;
}
if (opts.cafile != null && opts.cafile != '') {
// The CA bundle file can contain one or more certificates with comments/text between each PEM block.
// tls.connect wants an array of certificates without any comments/text, so we need to split the string
// and strip out any text in between the certificates
try {
const bundle = fs.readFileSync(opts.cafile).toString();
const hasPemPrefix = (block) => block.startsWith('-----BEGIN ');
// opts.cafile overrides opts.ca, this matches with npm behavior
this.ca = bundle.split(/(-----BEGIN .*\r?\n[^-]+\r?\n--.*)/).filter(hasPemPrefix);
} catch (err) {
this.reporter.error(`Could not open cafile: ${err.message}`);
}
}
if (opts.cert != null) {
this.cert = opts.cert;
}
if (opts.key != null) {
this.key = opts.key;
}
}
/**
* Lazy load `request` since it is exceptionally expensive to load and is
* often not needed at all.
*/
_getRequestModule(): RequestModuleT {
if (!this._requestModule) {
const request = require('request');
if (this.captureHar) {
this._requestCaptureHar = new RequestCaptureHar(request);
this._requestModule = this._requestCaptureHar.request.bind(this._requestCaptureHar);
} else {
this._requestModule = request;
}
}
return this._requestModule;
}
/**
* Queue up a request.
*/
request<T>(params: RequestParams<T>): Promise<T> {
if (this.offlineNoRequests) {
return Promise.reject(new MessageError(this.reporter.lang('cantRequestOffline')));
}
const cached = this.cache[params.url];
if (cached) {
return cached;
}
params.method = params.method || 'GET';
params.forever = true;
params.retryAttempts = 0;
params.strictSSL = this.strictSSL;
params.headers = Object.assign({
'User-Agent': this.userAgent,
}, params.headers);
const promise = new Promise((resolve, reject) => {
this.queue.push({params, resolve, reject});
this.shiftQueue();
});
// we can't cache a request with a processor
if (!params.process) {
this.cache[params.url] = promise;
}
return promise;
}
/**
* Clear the request cache. This is important as we cache all HTTP requests so you'll
* want to do this as soon as you can.
*/
clearCache() {
this.cache = {};
if (this._requestCaptureHar != null) {
this._requestCaptureHar.clear();
}
}
/**
* Check if an error is possibly due to lost or poor network connectivity.
*/
isPossibleOfflineError(err: RequestError): boolean {
const {code, hostname} = err;
if (!code) {
return false;
}
// network was previously online but now we're offline
const possibleOfflineChange = !controlOffline && !network.isOffline();
if (code === 'ENOTFOUND' && possibleOfflineChange) {
// can't resolve a domain
return true;
}
// used to be able to resolve this domain! something is wrong
if (code === 'ENOTFOUND' && hostname && successHosts[hostname]) {
// can't resolve this domain but we've successfully resolved it before
return true;
}
// network was previously offline and we can't resolve the domain
if (code === 'ENOTFOUND' && controlOffline) {
return true;
}
// connection was reset or dropped
if (code === 'ECONNRESET') {
return true;
}
// TCP timeout
if (code === 'ESOCKETTIMEDOUT') {
return true;
}
return false;
}
/**
* Queue up request arguments to be retried. Start a network connectivity timer if there
* isn't already one.
*/
queueForOffline(opts: RequestOptions) {
if (!this.offlineQueue.length) {
this.reporter.warn(this.reporter.lang('offlineRetrying'));
this.initOfflineRetry();
}
this.offlineQueue.push(opts);
}
/**
* Begin timers to retry failed requests when we possibly establish network connectivity
* again.
*/
initOfflineRetry() {
setTimeout(() => {
const queue = this.offlineQueue;
this.offlineQueue = [];
for (const opts of queue) {
this.execute(opts);
}
}, 3000);
}
/**
* Execute a request.
*/
execute(opts: RequestOptions) {
const {params} = opts;
const {reporter} = this;
const buildNext = (fn) => (data) => {
fn(data);
this.running--;
this.shiftQueue();
};
const resolve = buildNext(opts.resolve);
const rejectNext = buildNext(opts.reject);
const reject = function(err) {
err.message = `${params.url}: ${err.message}`;
rejectNext(err);
};
let calledOnError = false;
const onError = (err) => {
if (calledOnError) {
return;
}
calledOnError = true;
const attempts = params.retryAttempts || 0;
if (attempts < 5 && this.isPossibleOfflineError(err)) {
params.retryAttempts = attempts + 1;
if (typeof params.cleanup === 'function') {
params.cleanup();
}
this.queueForOffline(opts);
} else {
reject(err);
}
};
if (!params.process) {
const parts = url.parse(params.url);
params.callback = (err, res, body) => {
if (err) {
onError(err);
return;
}
successHosts[parts.hostname] = true;
this.reporter.verbose(this.reporter.lang('verboseRequestFinish', params.url, res.statusCode));
if (body && typeof body.error === 'string') {
reject(new Error(body.error));
return;
}
if (res.statusCode === 403) {
const errMsg = (body && body.message) || reporter.lang('requestError', params.url, res.statusCode);
reject(new Error(errMsg));
} else {
if (res.statusCode === 400 || res.statusCode === 404 || res.statusCode === 401) {
body = false;
}
resolve(body);
}
};
}
if (params.buffer) {
params.encoding = null;
}
let proxy = this.httpProxy;
if (params.url.startsWith('https:')) {
proxy = this.httpsProxy || proxy;
}
if (proxy) {
params.proxy = proxy;
}
if (this.ca != null) {
params.ca = this.ca;
}
if (this.cert != null) {
params.cert = this.cert;
}
if (this.key != null) {
params.key = this.key;
}
if (this.timeout != null) {
params.timeout = this.timeout;
}
const request = this._getRequestModule();
const req = request(params);
this.reporter.verbose(this.reporter.lang('verboseRequestStart', params.method, params.url));
req.on('error', onError);
const queue = params.queue;
if (queue) {
req.on('data', queue.stillActive.bind(queue));
}
if (params.process) {
params.process(req, resolve, reject);
}
}
/**
* Remove an item from the queue. Create it's request options and execute it.
*/
shiftQueue() {
if (this.running >= this.max || !this.queue.length) {
return;
}
const opts = this.queue.shift();
this.running++;
this.execute(opts);
}
saveHar(filename: string) {
if (!this.captureHar) {
throw new Error(this.reporter.lang('requestManagerNotSetupHAR'));
}
// No request may have occurred at all.
this._getRequestModule();
invariant(this._requestCaptureHar != null, 'request-capture-har not setup');
this._requestCaptureHar.saveHar(filename);
}
}