This repository has been archived by the owner on May 30, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 66
/
index.js
452 lines (403 loc) · 15.6 KB
/
index.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
const { basicLogger } = require('./loggers');
const { BigSegmentStoreManager } = require('./big_segments');
const FeatureStoreEventWrapper = require('./feature_store_event_wrapper');
const FileDataSource = require('./file_data_source');
const Requestor = require('./requestor');
const EventEmitter = require('events').EventEmitter;
const { EventFactory, isExperiment } = require('./event_factory');
const EventProcessor = require('./event_processor');
const PollingProcessor = require('./polling');
const StreamingProcessor = require('./streaming');
const FlagsStateBuilder = require('./flags_state');
const configuration = require('./configuration');
const diagnostics = require('./diagnostic_events');
const { Evaluator } = require('./evaluator');
const messages = require('./messages');
const tunnel = require('tunnel');
const crypto = require('crypto');
const errors = require('./errors');
const { safeAsyncEach } = require('./utils/asyncUtils');
const wrapPromiseCallback = require('./utils/wrapPromiseCallback');
const dataKind = require('./versioned_data_kind');
const { checkContext, getCanonicalKey } = require('./context');
function createErrorReporter(emitter, logger) {
return error => {
if (!error) {
return;
}
if (emitter.listenerCount('error')) {
emitter.emit('error', error);
} else {
logger.error(error.message);
}
};
}
function NullEventProcessor() {
return {
sendEvent: () => {},
flush: callback => wrapPromiseCallback(Promise.resolve(), callback),
close: () => {},
};
}
function NullUpdateProcessor() {
return {
start: callback => {
setImmediate(callback, null); // the start() callback should always be deferred
},
close: () => {},
};
}
const newClient = function (sdkKey, originalConfig) {
const client = new EventEmitter();
let initComplete = false,
failure,
requestor,
updateProcessor,
eventProcessor,
waitForInitializationPromise;
const config = configuration.validate(originalConfig);
// Initialize global tunnel if proxy options are set
if (config.proxyHost && config.proxyPort) {
config.proxyAgent = createProxyAgent(config);
}
const featureStoreImpl =
typeof config.featureStore === 'function' ? config.featureStore(config) : config.featureStore;
const featureStore = FeatureStoreEventWrapper(featureStoreImpl, client);
config.featureStore = featureStore;
const maybeReportError = createErrorReporter(client, config.logger);
let diagnosticsManager = null;
const eventFactoryDefault = EventFactory(false);
const eventFactoryWithReasons = EventFactory(true);
if (config.eventProcessor) {
eventProcessor = config.eventProcessor;
} else {
if (config.offline || !config.sendEvents) {
eventProcessor = NullEventProcessor();
} else {
const diagnosticId = diagnostics.DiagnosticId(sdkKey);
diagnosticsManager = diagnostics.DiagnosticsManager(config, diagnosticId, new Date().getTime());
eventProcessor = EventProcessor(sdkKey, config, maybeReportError, diagnosticsManager);
}
}
if (!sdkKey && !config.offline) {
throw new Error('You must configure the client with an SDK key');
}
const createDefaultUpdateProcessor = config => {
if (config.useLdd || config.offline) {
return NullUpdateProcessor();
} else {
if (config.stream) {
config.logger.info('Initializing stream processor to receive feature flag updates');
return StreamingProcessor(sdkKey, config, null, diagnosticsManager);
} else {
config.logger.info('Initializing polling processor to receive feature flag updates');
config.logger.warn('You should only disable the streaming API if instructed to do so by LaunchDarkly support');
requestor = Requestor(sdkKey, config);
return PollingProcessor(config, requestor);
}
}
};
let updateProcessorFactory = createDefaultUpdateProcessor;
if (config.updateProcessor) {
if (typeof config.updateProcessor === 'function') {
updateProcessorFactory = config.updateProcessor;
} else {
updateProcessor = config.updateProcessor;
}
}
if (!updateProcessor) {
updateProcessor = updateProcessorFactory(config);
}
// Define bigSegmentStoreStatusProvider as a read-only property
const bigSegmentStoreManager =
config.bigSegments && config.bigSegments.store
? BigSegmentStoreManager(config.bigSegments.store(config), config.bigSegments, config.logger)
: BigSegmentStoreManager(null, {}, config.logger);
Object.defineProperty(client, 'bigSegmentStoreStatusProvider', { value: bigSegmentStoreManager.statusProvider });
const evaluator = Evaluator({
getFlag: (key, cb) => featureStore.get(dataKind.features, key, cb),
getSegment: (key, cb) => featureStore.get(dataKind.segments, key, cb),
getBigSegmentsMembership: (key, cb) => bigSegmentStoreManager.getUserMembership(key).then(cb),
});
updateProcessor.start(err => {
if (err) {
let error;
if ((err.status && err.status === 401) || (err.code && err.code === 401)) {
error = new Error('Authentication failed. Double check your SDK key.');
} else {
error = err;
}
maybeReportError(error);
client.emit('failed', error);
failure = error;
} else if (!initComplete) {
initComplete = true;
client.emit('ready');
}
});
client.initialized = () => initComplete;
client.waitForInitialization = () => {
if (waitForInitializationPromise) {
return waitForInitializationPromise;
}
if (initComplete) {
waitForInitializationPromise = Promise.resolve(client);
} else if (failure) {
waitForInitializationPromise = Promise.reject(failure);
} else {
waitForInitializationPromise = new Promise((resolve, reject) => {
client.once('ready', () => {
resolve(client);
});
client.once('failed', reject);
});
}
return waitForInitializationPromise;
};
client.variation = (key, context, defaultVal, callback) =>
wrapPromiseCallback(
new Promise((resolve, reject) => {
evaluateIfPossible(
key,
context,
defaultVal,
eventFactoryDefault,
detail => {
resolve(detail.value);
},
reject
);
}),
callback
);
client.variationDetail = (key, context, defaultVal, callback) =>
wrapPromiseCallback(
new Promise((resolve, reject) => {
evaluateIfPossible(key, context, defaultVal, eventFactoryWithReasons, resolve, reject);
}),
callback
);
function errorResult(errorKind, defaultVal) {
return { value: defaultVal, variationIndex: null, reason: { kind: 'ERROR', errorKind: errorKind } };
}
function evaluateIfPossible(key, context, defaultVal, eventFactory, resolve, reject) {
if (!initComplete) {
config.featureStore.initialized(storeInited => {
if (storeInited) {
config.logger.warn(
"Variation called before LaunchDarkly client initialization completed (did you wait for the 'ready' event?) - using last known values from feature store"
);
variationInternal(key, context, defaultVal, eventFactory, resolve, reject);
} else {
const err = new errors.LDClientError(
"Variation called before LaunchDarkly client initialization completed (did you wait for the 'ready' event?) - using default value"
);
maybeReportError(err);
const result = errorResult('CLIENT_NOT_READY', defaultVal);
eventProcessor.sendEvent(eventFactory.newUnknownFlagEvent(key, context, result));
return resolve(result);
}
});
} else {
variationInternal(key, context, defaultVal, eventFactory, resolve, reject);
}
}
// resolves to a "detail" object with properties "value", "variationIndex", "reason"
function variationInternal(key, context, defaultVal, eventFactory, resolve) {
if (client.isOffline()) {
config.logger.info('Variation called in offline mode. Returning default value.');
return resolve(errorResult('CLIENT_NOT_READY', defaultVal));
} else if (!key) {
const err = new errors.LDClientError('No feature flag key specified. Returning default value.');
maybeReportError(err);
return resolve(errorResult('FLAG_NOT_FOUND', defaultVal));
}
// This only will handle single kind contexts with empty keys.
// Keys of multi-kind contexts are not touched until evaluation.
if (context && (!context.kind || context.kind !== 'multi') && context.key === '') {
config.logger.warn(
'User key is blank. Flag evaluation will proceed, but the user will not be stored in LaunchDarkly'
);
}
config.featureStore.get(dataKind.features, key, flag => {
if (!context) {
const variationErr = new errors.LDClientError('No context specified. Returning default value.');
maybeReportError(variationErr);
const result = errorResult('USER_NOT_SPECIFIED', defaultVal);
return resolve(result);
}
if (!checkContext(context, true)) {
const variationErr = new errors.LDClientError('Invalid context specified. Returning default value.');
maybeReportError(variationErr);
const result = errorResult('USER_NOT_SPECIFIED', defaultVal);
return resolve(result);
}
if (!flag) {
maybeReportError(new errors.LDClientError(`Unknown feature flag "${key}"; returning default value`));
const result = errorResult('FLAG_NOT_FOUND', defaultVal);
eventProcessor.sendEvent(eventFactory.newUnknownFlagEvent(key, context, result));
return resolve(result);
}
evaluator.evaluate(flag, context, eventFactory, (err, detailIn, events) => {
const detail = detailIn;
if (err) {
maybeReportError(
new errors.LDClientError(
'Encountered error evaluating feature flag:' + (err.message ? ': ' + err.message : err)
)
);
}
// Send off any events associated with evaluating prerequisites. The events
// have already been constructed, so we just have to push them onto the queue.
if (events) {
for (let i = 0; i < events.length; i++) {
eventProcessor.sendEvent(events[i]);
}
}
if (detail.variationIndex === null) {
config.logger.debug('Result value is null in variation');
detail.value = defaultVal;
}
eventProcessor.sendEvent(eventFactory.newEvalEvent(flag, context, detail, defaultVal));
return resolve(detail);
});
});
}
client.allFlagsState = (context, specifiedOptions, specifiedCallback) => {
let callback = specifiedCallback,
options = specifiedOptions;
if (callback === undefined && typeof options === 'function') {
callback = options;
options = {};
} else {
options = options || {};
}
return wrapPromiseCallback(
(async () => {
if (client.isOffline()) {
config.logger.info('allFlagsState() called in offline mode. Returning empty state.');
return FlagsStateBuilder(false).build();
}
if (!context) {
config.logger.info('allFlagsState() called without context. Returning empty state.');
return FlagsStateBuilder(false).build();
}
let valid = true;
if (!initComplete) {
const inited = await new Promise(resolve => config.featureStore.initialized(resolve));
if (inited) {
config.logger.warn(
'Called allFlagsState before client initialization; using last known values from data store'
);
} else {
config.logger.warn(
'Called allFlagsState before client initialization. Data store not available; returning empty state'
);
valid = false;
}
}
const builder = FlagsStateBuilder(valid, options.withReasons);
const clientOnly = options.clientSideOnly;
const detailsOnlyIfTracked = options.detailsOnlyForTrackedFlags;
return await new Promise((resolve, reject) =>
config.featureStore.all(dataKind.features, flags => {
safeAsyncEach(
flags,
(flag, iterateeCb) => {
if (clientOnly && !flag.clientSide) {
iterateeCb();
} else {
// At the moment, we don't send any events here
evaluator.evaluate(flag, context, eventFactoryDefault, (err, detail) => {
if (err !== null) {
maybeReportError(
new Error('Error for feature flag "' + flag.key + '" while evaluating all flags: ' + err)
);
}
const requireExperimentData = isExperiment(flag, detail.reason);
builder.addFlag(
flag,
detail.value,
detail.variationIndex,
detail.reason,
flag.trackEvents || requireExperimentData,
requireExperimentData,
detailsOnlyIfTracked
);
iterateeCb();
});
}
},
err => (err ? reject(err) : resolve(builder.build()))
);
})
);
})(),
callback
);
};
client.secureModeHash = context => {
const key = getCanonicalKey(context);
const hmac = crypto.createHmac('sha256', sdkKey);
hmac.update(key);
return hmac.digest('hex');
};
client.close = () => {
eventProcessor.close();
if (updateProcessor && updateProcessor.close) {
updateProcessor.close();
}
config.featureStore.close();
bigSegmentStoreManager.close();
};
client.isOffline = () => config.offline;
client.track = (eventName, context, data, metricValue) => {
if (!checkContext(context, false)) {
config.logger.warn(messages.missingContextKeyNoEvent());
return;
}
eventProcessor.sendEvent(eventFactoryDefault.newCustomEvent(eventName, context, data, metricValue));
};
client.identify = context => {
if (!checkContext(context, false)) {
config.logger.warn(messages.missingContextKeyNoEvent());
return;
}
eventProcessor.sendEvent(eventFactoryDefault.newIdentifyEvent(context));
};
client.flush = callback => eventProcessor.flush(callback);
/* eslint-disable no-unused-vars */
// We may not currently have any deprecated methods, but if we do, we should
// use this logic.
function deprecatedMethod(oldName, newName) {
client[oldName] = (...args) => {
config.logger.warn(messages.deprecated(oldName, newName));
return client[newName].apply(client, args);
};
}
/* eslint-enable no-unused-vars */
return client;
};
module.exports = {
init: newClient,
basicLogger: basicLogger,
FileDataSource: FileDataSource, // deprecated entry point - should use integrations module now
errors: errors,
};
function createProxyAgent(config) {
const options = {
proxy: {
host: config.proxyHost,
port: config.proxyPort,
proxyAuth: config.proxyAuth,
},
};
const isTargetServerSecure =
(config.stream && (!config.streamUri || config.streamUri.startsWith('https'))) ||
(!config.stream && (!config.baseUri || config.baseUri.startsWith('https')));
if (config.proxyScheme === 'https') {
return isTargetServerSecure ? tunnel.httpsOverHttps(options) : tunnel.httpOverHttps(options);
} else {
return isTargetServerSecure ? tunnel.httpsOverHttp(options) : tunnel.httpOverHttp(options);
}
}