@launchdarkly/js-client-sdk 0.12.0 → 0.13.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/CHANGELOG.md +32 -0
- package/dist/index.cjs +1 -1
- package/dist/index.cjs.map +1 -1
- package/dist/index.d.cts +245 -5
- package/dist/index.d.ts +245 -5
- package/dist/index.js +1 -1
- package/dist/index.js.map +1 -1
- package/dist/metafile-cjs.json +1 -1
- package/dist/metafile-esm.json +1 -1
- package/package.json +2 -12
- package/dist/common-B4wKbl6r.d.cts +0 -245
- package/dist/common-B4wKbl6r.d.ts +0 -245
- package/dist/compat.cjs +0 -2
- package/dist/compat.cjs.map +0 -1
- package/dist/compat.d.cts +0 -197
- package/dist/compat.d.ts +0 -197
- package/dist/compat.js +0 -2
- package/dist/compat.js.map +0 -1
package/dist/compat.d.cts
DELETED
|
@@ -1,197 +0,0 @@
|
|
|
1
|
-
import { LDContext, LDFlagSet } from '@launchdarkly/js-client-sdk-common';
|
|
2
|
-
export { AutoEnvAttributes, BasicLogger, BasicLoggerOptions, EvaluationSeriesContext, EvaluationSeriesData, Hook, HookMetadata, IdentifySeriesContext, IdentifySeriesData, IdentifySeriesResult, IdentifySeriesStatus, LDContext, LDContextCommon, LDContextMeta, LDDebugOverride, LDEvaluationDetail, LDEvaluationDetailTyped, LDEvaluationReason, LDFlagSet, LDFlagValue, LDIdentifyError, LDIdentifyResult, LDIdentifyShed, LDIdentifySuccess, LDIdentifyTimeout, LDInspection, LDLogLevel, LDLogger, LDMultiKindContext, LDPluginApplicationMetadata, LDPluginBase, LDPluginEnvironmentMetadata, LDPluginMetadata, LDPluginSdkMetadata, LDSingleKindContext, LDTimeoutError, LDWaitForInitializationComplete, LDWaitForInitializationFailed, LDWaitForInitializationOptions, LDWaitForInitializationResult, LDWaitForInitializationTimeout, TrackSeriesContext } from '@launchdarkly/js-client-sdk-common';
|
|
3
|
-
import { L as LDClient$1, B as BrowserOptions } from './common-B4wKbl6r.cjs';
|
|
4
|
-
export { b as LDIdentifyOptions, c as basicLogger } from './common-B4wKbl6r.cjs';
|
|
5
|
-
|
|
6
|
-
/**
|
|
7
|
-
* Compatibility interface. This interface extends the base LDCLient interface with functions
|
|
8
|
-
* that improve backwards compatibility.
|
|
9
|
-
*
|
|
10
|
-
* If starting a new project please import the root package instead of `/compat`.
|
|
11
|
-
*
|
|
12
|
-
* In the `launchdarkly-js-client-sdk@3.x` package a number of functions had the return typings
|
|
13
|
-
* incorrect. Any function which optionally returned a promise based on a callback had incorrect
|
|
14
|
-
* typings. Those have been corrected in this implementation.
|
|
15
|
-
*/
|
|
16
|
-
interface LDClient extends Omit<LDClient$1, 'close' | 'flush' | 'identify' | 'identifyResult' | 'waitForInitialization' | 'setInitialContext' | 'start'> {
|
|
17
|
-
/**
|
|
18
|
-
* Identifies a context to LaunchDarkly.
|
|
19
|
-
*
|
|
20
|
-
* Unlike the server-side SDKs, the client-side JavaScript SDKs maintain a current context state,
|
|
21
|
-
* which is set at initialization time. You only need to call `identify()` if the context has changed
|
|
22
|
-
* since then.
|
|
23
|
-
*
|
|
24
|
-
* Changing the current context also causes all feature flag values to be reloaded. Until that has
|
|
25
|
-
* finished, calls to {@link variation} will still return flag values for the previous context. You can
|
|
26
|
-
* use a callback or a Promise to determine when the new flag values are available.
|
|
27
|
-
*
|
|
28
|
-
* @param context
|
|
29
|
-
* The context properties. Must contain at least the `key` property.
|
|
30
|
-
* @param hash
|
|
31
|
-
* The signed context key if you are using [Secure Mode](https://docs.launchdarkly.com/sdk/features/secure-mode#configuring-secure-mode-in-the-javascript-client-side-sdk).
|
|
32
|
-
* @param onDone
|
|
33
|
-
* A function which will be called as soon as the flag values for the new context are available,
|
|
34
|
-
* with two parameters: an error value (if any), and an {@link LDFlagSet} containing the new values
|
|
35
|
-
* (which can also be obtained by calling {@link variation}). If the callback is omitted, you will
|
|
36
|
-
* receive a Promise instead.
|
|
37
|
-
* @returns
|
|
38
|
-
* If you provided a callback, then nothing. Otherwise, a Promise which resolve once the flag
|
|
39
|
-
* values for the new context are available, providing an {@link LDFlagSet} containing the new values
|
|
40
|
-
* (which can also be obtained by calling {@link variation}).
|
|
41
|
-
*/
|
|
42
|
-
identify(context: LDContext, hash?: string, onDone?: (err: Error | null, flags: LDFlagSet | null) => void): Promise<LDFlagSet> | undefined;
|
|
43
|
-
/**
|
|
44
|
-
* Returns a Promise that tracks the client's initialization state.
|
|
45
|
-
*
|
|
46
|
-
* The Promise will be resolved if the client successfully initializes, or rejected if client
|
|
47
|
-
* initialization has irrevocably failed (for instance, if it detects that the SDK key is invalid).
|
|
48
|
-
*
|
|
49
|
-
* ```
|
|
50
|
-
* // using async/await
|
|
51
|
-
* try {
|
|
52
|
-
* await client.waitForInitialization(5);
|
|
53
|
-
* doSomethingWithSuccessfullyInitializedClient();
|
|
54
|
-
* } catch (err) {
|
|
55
|
-
* doSomethingForFailedStartup(err);
|
|
56
|
-
* }
|
|
57
|
-
* ```
|
|
58
|
-
*
|
|
59
|
-
* It is important that you handle the rejection case; otherwise it will become an unhandled Promise
|
|
60
|
-
* rejection, which is a serious error on some platforms. The Promise is not created unless you
|
|
61
|
-
* request it, so if you never call `waitForInitialization()` then you do not have to worry about
|
|
62
|
-
* unhandled rejections.
|
|
63
|
-
*
|
|
64
|
-
* Note that you can also use event listeners ({@link on}) for the same purpose: the event `"initialized"`
|
|
65
|
-
* indicates success, and `"failed"` indicates failure.
|
|
66
|
-
*
|
|
67
|
-
* @param timeout
|
|
68
|
-
* The amount of time, in seconds, to wait for initialization before rejecting the promise.
|
|
69
|
-
* Using a large timeout is not recommended. If you use a large timeout and await it, then
|
|
70
|
-
* any network delays will cause your application to wait a long time before
|
|
71
|
-
* continuing execution.
|
|
72
|
-
*
|
|
73
|
-
* If no timeout is specified, then the returned promise will only be resolved when the client
|
|
74
|
-
* successfully initializes or initialization fails.
|
|
75
|
-
*
|
|
76
|
-
* @returns
|
|
77
|
-
* A Promise that will be resolved if the client initializes successfully, or rejected if it
|
|
78
|
-
* fails or the specified timeout elapses.
|
|
79
|
-
*/
|
|
80
|
-
waitForInitialization(timeout?: number): Promise<void>;
|
|
81
|
-
/**
|
|
82
|
-
* Returns a Promise that tracks the client's initialization state.
|
|
83
|
-
*
|
|
84
|
-
* The returned Promise will be resolved once the client has either successfully initialized
|
|
85
|
-
* or failed to initialize (e.g. due to an invalid environment key or a server error). It will
|
|
86
|
-
* never be rejected.
|
|
87
|
-
*
|
|
88
|
-
* ```
|
|
89
|
-
* // using async/await
|
|
90
|
-
* await client.waitUntilReady();
|
|
91
|
-
* doSomethingWithClient();
|
|
92
|
-
* ```
|
|
93
|
-
*
|
|
94
|
-
* If you want to distinguish between these success and failure conditions, use
|
|
95
|
-
* {@link waitForInitialization} instead.
|
|
96
|
-
*
|
|
97
|
-
* If you prefer to use event listeners ({@link on}) rather than Promises, you can listen on the
|
|
98
|
-
* client for a `"ready"` event, which will be fired in either case.
|
|
99
|
-
*
|
|
100
|
-
* @returns
|
|
101
|
-
* A Promise that will be resolved once the client is no longer trying to initialize.
|
|
102
|
-
* @deprecated Please use {@link waitForInitialization} instead. This method will always
|
|
103
|
-
* cause a warning to be logged because it is implemented via waitForInitialization.
|
|
104
|
-
*/
|
|
105
|
-
waitUntilReady(): Promise<void>;
|
|
106
|
-
/**
|
|
107
|
-
* Shuts down the client and releases its resources, after delivering any pending analytics
|
|
108
|
-
* events.
|
|
109
|
-
*
|
|
110
|
-
* @param onDone
|
|
111
|
-
* A function which will be called when the operation completes. If omitted, you
|
|
112
|
-
* will receive a Promise instead.
|
|
113
|
-
*
|
|
114
|
-
* @returns
|
|
115
|
-
* If you provided a callback, then nothing. Otherwise, a Promise which resolves once
|
|
116
|
-
* closing is finished. It will never be rejected.
|
|
117
|
-
*/
|
|
118
|
-
close(onDone?: () => void): Promise<void> | undefined;
|
|
119
|
-
/**
|
|
120
|
-
* Flushes all pending analytics events.
|
|
121
|
-
*
|
|
122
|
-
* Normally, batches of events are delivered in the background at intervals determined by the
|
|
123
|
-
* `flushInterval` property of {@link LDOptions}. Calling `flush()` triggers an immediate delivery.
|
|
124
|
-
*
|
|
125
|
-
* @param onDone
|
|
126
|
-
* A function which will be called when the flush completes. If omitted, you
|
|
127
|
-
* will receive a Promise instead.
|
|
128
|
-
*
|
|
129
|
-
* @returns
|
|
130
|
-
* If you provided a callback, then nothing. Otherwise, a Promise which resolves once
|
|
131
|
-
* flushing is finished. Note that the Promise will be rejected if the HTTP request
|
|
132
|
-
* fails, so be sure to attach a rejection handler to it.
|
|
133
|
-
*/
|
|
134
|
-
flush(onDone?: () => void): Promise<void> | undefined;
|
|
135
|
-
}
|
|
136
|
-
|
|
137
|
-
interface LDOptions extends BrowserOptions {
|
|
138
|
-
/**
|
|
139
|
-
* The initial set of flags to use until the remote set is retrieved.
|
|
140
|
-
*
|
|
141
|
-
* For more information, refer to the
|
|
142
|
-
* [SDK Reference Guide](https://docs.launchdarkly.com/sdk/features/bootstrapping#javascript).
|
|
143
|
-
*/
|
|
144
|
-
bootstrap?: LDFlagSet;
|
|
145
|
-
/**
|
|
146
|
-
* The signed canonical context key, for the initial context, if you are using
|
|
147
|
-
* [Secure Mode](https://docs.launchdarkly.com/sdk/features/secure-mode#configuring-secure-mode-in-the-javascript-client-side-sdk).
|
|
148
|
-
*/
|
|
149
|
-
hash?: string;
|
|
150
|
-
}
|
|
151
|
-
|
|
152
|
-
/**
|
|
153
|
-
* This module provides a compatibility layer which emulates the interface used
|
|
154
|
-
* in the launchdarkly-js-client 3.x package.
|
|
155
|
-
*
|
|
156
|
-
* Some code changes may still be required, for example {@link LDOptions} removes
|
|
157
|
-
* support for some previously available options.
|
|
158
|
-
*/
|
|
159
|
-
|
|
160
|
-
/**
|
|
161
|
-
* Creates an instance of the LaunchDarkly client. This version of initialization is for
|
|
162
|
-
* improved backwards compatibility. In general the `createClient` function from the root packge
|
|
163
|
-
* should be used instead of the one in the `/compat` module.
|
|
164
|
-
*
|
|
165
|
-
* The client will begin attempting to connect to LaunchDarkly as soon as it is created. To
|
|
166
|
-
* determine when it is ready to use, call {@link LDClient.waitForInitialization}, or register an
|
|
167
|
-
* event listener for the `"ready"` event using {@link LDClient.on}.
|
|
168
|
-
*
|
|
169
|
-
* Example:
|
|
170
|
-
* import { initialize } from '@launchdarkly/js-client-sdk/compat';
|
|
171
|
-
* const client = initialize(envKey, context, options);
|
|
172
|
-
*
|
|
173
|
-
* Note: The `compat` module minimizes compatibility breaks, but not all functionality is directly
|
|
174
|
-
* equivalent to the previous version.
|
|
175
|
-
*
|
|
176
|
-
* LDOptions are where the primary differences are. By default the new SDK implementation will
|
|
177
|
-
* generally use localStorage to cache flags. This can be disabled by setting the
|
|
178
|
-
* `maxCachedContexts` to 0.
|
|
179
|
-
*
|
|
180
|
-
* This does allow combinations that were not possible before. For insance an initial context
|
|
181
|
-
* could be identified using bootstrap, and a second context without bootstrap, and the second
|
|
182
|
-
* context could cache flags in local storage. For more control the primary module can be used
|
|
183
|
-
* instead of this `compat` module (for instance bootstrap can be provided per identify call in
|
|
184
|
-
* the primary module).
|
|
185
|
-
*
|
|
186
|
-
* @param envKey
|
|
187
|
-
* The environment ID.
|
|
188
|
-
* @param context
|
|
189
|
-
* The initial context properties. These can be changed later with {@link LDClient.identify}.
|
|
190
|
-
* @param options
|
|
191
|
-
* Optional configuration settings.
|
|
192
|
-
* @return
|
|
193
|
-
* The new client instance.
|
|
194
|
-
*/
|
|
195
|
-
declare function initialize(envKey: string, context: LDContext, options?: LDOptions): Omit<LDClient, 'start' | 'setInitialContext'>;
|
|
196
|
-
|
|
197
|
-
export { type LDClient, type LDOptions, initialize };
|
package/dist/compat.d.ts
DELETED
|
@@ -1,197 +0,0 @@
|
|
|
1
|
-
import { LDContext, LDFlagSet } from '@launchdarkly/js-client-sdk-common';
|
|
2
|
-
export { AutoEnvAttributes, BasicLogger, BasicLoggerOptions, EvaluationSeriesContext, EvaluationSeriesData, Hook, HookMetadata, IdentifySeriesContext, IdentifySeriesData, IdentifySeriesResult, IdentifySeriesStatus, LDContext, LDContextCommon, LDContextMeta, LDDebugOverride, LDEvaluationDetail, LDEvaluationDetailTyped, LDEvaluationReason, LDFlagSet, LDFlagValue, LDIdentifyError, LDIdentifyResult, LDIdentifyShed, LDIdentifySuccess, LDIdentifyTimeout, LDInspection, LDLogLevel, LDLogger, LDMultiKindContext, LDPluginApplicationMetadata, LDPluginBase, LDPluginEnvironmentMetadata, LDPluginMetadata, LDPluginSdkMetadata, LDSingleKindContext, LDTimeoutError, LDWaitForInitializationComplete, LDWaitForInitializationFailed, LDWaitForInitializationOptions, LDWaitForInitializationResult, LDWaitForInitializationTimeout, TrackSeriesContext } from '@launchdarkly/js-client-sdk-common';
|
|
3
|
-
import { L as LDClient$1, B as BrowserOptions } from './common-B4wKbl6r.js';
|
|
4
|
-
export { b as LDIdentifyOptions, c as basicLogger } from './common-B4wKbl6r.js';
|
|
5
|
-
|
|
6
|
-
/**
|
|
7
|
-
* Compatibility interface. This interface extends the base LDCLient interface with functions
|
|
8
|
-
* that improve backwards compatibility.
|
|
9
|
-
*
|
|
10
|
-
* If starting a new project please import the root package instead of `/compat`.
|
|
11
|
-
*
|
|
12
|
-
* In the `launchdarkly-js-client-sdk@3.x` package a number of functions had the return typings
|
|
13
|
-
* incorrect. Any function which optionally returned a promise based on a callback had incorrect
|
|
14
|
-
* typings. Those have been corrected in this implementation.
|
|
15
|
-
*/
|
|
16
|
-
interface LDClient extends Omit<LDClient$1, 'close' | 'flush' | 'identify' | 'identifyResult' | 'waitForInitialization' | 'setInitialContext' | 'start'> {
|
|
17
|
-
/**
|
|
18
|
-
* Identifies a context to LaunchDarkly.
|
|
19
|
-
*
|
|
20
|
-
* Unlike the server-side SDKs, the client-side JavaScript SDKs maintain a current context state,
|
|
21
|
-
* which is set at initialization time. You only need to call `identify()` if the context has changed
|
|
22
|
-
* since then.
|
|
23
|
-
*
|
|
24
|
-
* Changing the current context also causes all feature flag values to be reloaded. Until that has
|
|
25
|
-
* finished, calls to {@link variation} will still return flag values for the previous context. You can
|
|
26
|
-
* use a callback or a Promise to determine when the new flag values are available.
|
|
27
|
-
*
|
|
28
|
-
* @param context
|
|
29
|
-
* The context properties. Must contain at least the `key` property.
|
|
30
|
-
* @param hash
|
|
31
|
-
* The signed context key if you are using [Secure Mode](https://docs.launchdarkly.com/sdk/features/secure-mode#configuring-secure-mode-in-the-javascript-client-side-sdk).
|
|
32
|
-
* @param onDone
|
|
33
|
-
* A function which will be called as soon as the flag values for the new context are available,
|
|
34
|
-
* with two parameters: an error value (if any), and an {@link LDFlagSet} containing the new values
|
|
35
|
-
* (which can also be obtained by calling {@link variation}). If the callback is omitted, you will
|
|
36
|
-
* receive a Promise instead.
|
|
37
|
-
* @returns
|
|
38
|
-
* If you provided a callback, then nothing. Otherwise, a Promise which resolve once the flag
|
|
39
|
-
* values for the new context are available, providing an {@link LDFlagSet} containing the new values
|
|
40
|
-
* (which can also be obtained by calling {@link variation}).
|
|
41
|
-
*/
|
|
42
|
-
identify(context: LDContext, hash?: string, onDone?: (err: Error | null, flags: LDFlagSet | null) => void): Promise<LDFlagSet> | undefined;
|
|
43
|
-
/**
|
|
44
|
-
* Returns a Promise that tracks the client's initialization state.
|
|
45
|
-
*
|
|
46
|
-
* The Promise will be resolved if the client successfully initializes, or rejected if client
|
|
47
|
-
* initialization has irrevocably failed (for instance, if it detects that the SDK key is invalid).
|
|
48
|
-
*
|
|
49
|
-
* ```
|
|
50
|
-
* // using async/await
|
|
51
|
-
* try {
|
|
52
|
-
* await client.waitForInitialization(5);
|
|
53
|
-
* doSomethingWithSuccessfullyInitializedClient();
|
|
54
|
-
* } catch (err) {
|
|
55
|
-
* doSomethingForFailedStartup(err);
|
|
56
|
-
* }
|
|
57
|
-
* ```
|
|
58
|
-
*
|
|
59
|
-
* It is important that you handle the rejection case; otherwise it will become an unhandled Promise
|
|
60
|
-
* rejection, which is a serious error on some platforms. The Promise is not created unless you
|
|
61
|
-
* request it, so if you never call `waitForInitialization()` then you do not have to worry about
|
|
62
|
-
* unhandled rejections.
|
|
63
|
-
*
|
|
64
|
-
* Note that you can also use event listeners ({@link on}) for the same purpose: the event `"initialized"`
|
|
65
|
-
* indicates success, and `"failed"` indicates failure.
|
|
66
|
-
*
|
|
67
|
-
* @param timeout
|
|
68
|
-
* The amount of time, in seconds, to wait for initialization before rejecting the promise.
|
|
69
|
-
* Using a large timeout is not recommended. If you use a large timeout and await it, then
|
|
70
|
-
* any network delays will cause your application to wait a long time before
|
|
71
|
-
* continuing execution.
|
|
72
|
-
*
|
|
73
|
-
* If no timeout is specified, then the returned promise will only be resolved when the client
|
|
74
|
-
* successfully initializes or initialization fails.
|
|
75
|
-
*
|
|
76
|
-
* @returns
|
|
77
|
-
* A Promise that will be resolved if the client initializes successfully, or rejected if it
|
|
78
|
-
* fails or the specified timeout elapses.
|
|
79
|
-
*/
|
|
80
|
-
waitForInitialization(timeout?: number): Promise<void>;
|
|
81
|
-
/**
|
|
82
|
-
* Returns a Promise that tracks the client's initialization state.
|
|
83
|
-
*
|
|
84
|
-
* The returned Promise will be resolved once the client has either successfully initialized
|
|
85
|
-
* or failed to initialize (e.g. due to an invalid environment key or a server error). It will
|
|
86
|
-
* never be rejected.
|
|
87
|
-
*
|
|
88
|
-
* ```
|
|
89
|
-
* // using async/await
|
|
90
|
-
* await client.waitUntilReady();
|
|
91
|
-
* doSomethingWithClient();
|
|
92
|
-
* ```
|
|
93
|
-
*
|
|
94
|
-
* If you want to distinguish between these success and failure conditions, use
|
|
95
|
-
* {@link waitForInitialization} instead.
|
|
96
|
-
*
|
|
97
|
-
* If you prefer to use event listeners ({@link on}) rather than Promises, you can listen on the
|
|
98
|
-
* client for a `"ready"` event, which will be fired in either case.
|
|
99
|
-
*
|
|
100
|
-
* @returns
|
|
101
|
-
* A Promise that will be resolved once the client is no longer trying to initialize.
|
|
102
|
-
* @deprecated Please use {@link waitForInitialization} instead. This method will always
|
|
103
|
-
* cause a warning to be logged because it is implemented via waitForInitialization.
|
|
104
|
-
*/
|
|
105
|
-
waitUntilReady(): Promise<void>;
|
|
106
|
-
/**
|
|
107
|
-
* Shuts down the client and releases its resources, after delivering any pending analytics
|
|
108
|
-
* events.
|
|
109
|
-
*
|
|
110
|
-
* @param onDone
|
|
111
|
-
* A function which will be called when the operation completes. If omitted, you
|
|
112
|
-
* will receive a Promise instead.
|
|
113
|
-
*
|
|
114
|
-
* @returns
|
|
115
|
-
* If you provided a callback, then nothing. Otherwise, a Promise which resolves once
|
|
116
|
-
* closing is finished. It will never be rejected.
|
|
117
|
-
*/
|
|
118
|
-
close(onDone?: () => void): Promise<void> | undefined;
|
|
119
|
-
/**
|
|
120
|
-
* Flushes all pending analytics events.
|
|
121
|
-
*
|
|
122
|
-
* Normally, batches of events are delivered in the background at intervals determined by the
|
|
123
|
-
* `flushInterval` property of {@link LDOptions}. Calling `flush()` triggers an immediate delivery.
|
|
124
|
-
*
|
|
125
|
-
* @param onDone
|
|
126
|
-
* A function which will be called when the flush completes. If omitted, you
|
|
127
|
-
* will receive a Promise instead.
|
|
128
|
-
*
|
|
129
|
-
* @returns
|
|
130
|
-
* If you provided a callback, then nothing. Otherwise, a Promise which resolves once
|
|
131
|
-
* flushing is finished. Note that the Promise will be rejected if the HTTP request
|
|
132
|
-
* fails, so be sure to attach a rejection handler to it.
|
|
133
|
-
*/
|
|
134
|
-
flush(onDone?: () => void): Promise<void> | undefined;
|
|
135
|
-
}
|
|
136
|
-
|
|
137
|
-
interface LDOptions extends BrowserOptions {
|
|
138
|
-
/**
|
|
139
|
-
* The initial set of flags to use until the remote set is retrieved.
|
|
140
|
-
*
|
|
141
|
-
* For more information, refer to the
|
|
142
|
-
* [SDK Reference Guide](https://docs.launchdarkly.com/sdk/features/bootstrapping#javascript).
|
|
143
|
-
*/
|
|
144
|
-
bootstrap?: LDFlagSet;
|
|
145
|
-
/**
|
|
146
|
-
* The signed canonical context key, for the initial context, if you are using
|
|
147
|
-
* [Secure Mode](https://docs.launchdarkly.com/sdk/features/secure-mode#configuring-secure-mode-in-the-javascript-client-side-sdk).
|
|
148
|
-
*/
|
|
149
|
-
hash?: string;
|
|
150
|
-
}
|
|
151
|
-
|
|
152
|
-
/**
|
|
153
|
-
* This module provides a compatibility layer which emulates the interface used
|
|
154
|
-
* in the launchdarkly-js-client 3.x package.
|
|
155
|
-
*
|
|
156
|
-
* Some code changes may still be required, for example {@link LDOptions} removes
|
|
157
|
-
* support for some previously available options.
|
|
158
|
-
*/
|
|
159
|
-
|
|
160
|
-
/**
|
|
161
|
-
* Creates an instance of the LaunchDarkly client. This version of initialization is for
|
|
162
|
-
* improved backwards compatibility. In general the `createClient` function from the root packge
|
|
163
|
-
* should be used instead of the one in the `/compat` module.
|
|
164
|
-
*
|
|
165
|
-
* The client will begin attempting to connect to LaunchDarkly as soon as it is created. To
|
|
166
|
-
* determine when it is ready to use, call {@link LDClient.waitForInitialization}, or register an
|
|
167
|
-
* event listener for the `"ready"` event using {@link LDClient.on}.
|
|
168
|
-
*
|
|
169
|
-
* Example:
|
|
170
|
-
* import { initialize } from '@launchdarkly/js-client-sdk/compat';
|
|
171
|
-
* const client = initialize(envKey, context, options);
|
|
172
|
-
*
|
|
173
|
-
* Note: The `compat` module minimizes compatibility breaks, but not all functionality is directly
|
|
174
|
-
* equivalent to the previous version.
|
|
175
|
-
*
|
|
176
|
-
* LDOptions are where the primary differences are. By default the new SDK implementation will
|
|
177
|
-
* generally use localStorage to cache flags. This can be disabled by setting the
|
|
178
|
-
* `maxCachedContexts` to 0.
|
|
179
|
-
*
|
|
180
|
-
* This does allow combinations that were not possible before. For insance an initial context
|
|
181
|
-
* could be identified using bootstrap, and a second context without bootstrap, and the second
|
|
182
|
-
* context could cache flags in local storage. For more control the primary module can be used
|
|
183
|
-
* instead of this `compat` module (for instance bootstrap can be provided per identify call in
|
|
184
|
-
* the primary module).
|
|
185
|
-
*
|
|
186
|
-
* @param envKey
|
|
187
|
-
* The environment ID.
|
|
188
|
-
* @param context
|
|
189
|
-
* The initial context properties. These can be changed later with {@link LDClient.identify}.
|
|
190
|
-
* @param options
|
|
191
|
-
* Optional configuration settings.
|
|
192
|
-
* @return
|
|
193
|
-
* The new client instance.
|
|
194
|
-
*/
|
|
195
|
-
declare function initialize(envKey: string, context: LDContext, options?: LDOptions): Omit<LDClient, 'start' | 'setInitialContext'>;
|
|
196
|
-
|
|
197
|
-
export { type LDClient, type LDOptions, initialize };
|
package/dist/compat.js
DELETED
|
@@ -1,2 +0,0 @@
|
|
|
1
|
-
var Vi=Object.defineProperty,ji=Object.defineProperties;var zi=Object.getOwnPropertyDescriptors;var mt=Object.getOwnPropertySymbols;var ze=Object.prototype.hasOwnProperty,He=Object.prototype.propertyIsEnumerable;var je=(i,t,e)=>t in i?Vi(i,t,{enumerable:!0,configurable:!0,writable:!0,value:e}):i[t]=e,g=(i,t)=>{for(var e in t||(t={}))ze.call(t,e)&&je(i,e,t[e]);if(mt)for(var e of mt(t))He.call(t,e)&&je(i,e,t[e]);return i},D=(i,t)=>ji(i,zi(t));var Wt=(i,t)=>{var e={};for(var n in i)ze.call(i,n)&&t.indexOf(n)<0&&(e[n]=i[n]);if(i!=null&&mt)for(var n of mt(i))t.indexOf(n)<0&&He.call(i,n)&&(e[n]=i[n]);return e};function Hi(i){return`/${i.replace(/~/g,"~0").replace(/\//g,"~1")}`}function Ze(i){return i.indexOf("~")?i.replace(/~1/g,"/").replace(/~0/g,"~"):i}function Bi(i){return(i.startsWith("/")?i.substring(1):i).split("/").map(e=>Ze(e))}function Ki(i){return!i.startsWith("/")}function Gi(i){return!i.match(/\/\/|(^\/.*~[^0|^1])|~$/)}var A=class{constructor(t,e=!1){if(e){let n=t;this.m=[n],this.isValid=n!=="",this.redactionName=n.startsWith("/")?Hi(n):n}else{if(this.redactionName=t,t===""||t==="/"||!Gi(t)){this.isValid=!1,this.m=[];return}Ki(t)?this.m=[t]:t.indexOf("/",1)<0?this.m=[Ze(t.slice(1))]:this.m=Bi(t),this.m[0]==="_meta"?this.isValid=!1:this.isValid=!0}}get(t){let{m:e,isValid:n}=this;if(!n)return;let r=t;for(let s=0;s<e.length;s+=1){let a=e[s];if(r!=null&&Object.prototype.hasOwnProperty.call(r,a)&&typeof r=="object"&&!Array.isArray(r))r=r[a];else return}return r}getComponent(t){return this.m[t]}get depth(){return this.m.length}get isKind(){return this.m.length===1&&this.m[0]==="kind"}compare(t){return this.depth===t.depth&&this.m.every((e,n)=>e===t.getComponent(n))}get components(){return[...this.m]}};A.InvalidReference=new A("");var qt=class{is(t){if(Array.isArray(t))return!1;let n=typeof t;return n==="function"||n==="object"}getType(){return"factory method or object"}},O=class{constructor(t,e){this.bt=t,this.typeOf=typeof e}is(t){return Array.isArray(t)?!1:typeof t===this.typeOf}getType(){return this.bt}},wt=class{constructor(t,e){this.bt=t,this.typeOf=typeof e}is(t){return Array.isArray(t)?t.length>0?t.every(e=>typeof e===this.typeOf):!0:!1}getType(){return this.bt}},W=class extends O{constructor(t){super(`number with minimum value of ${t}`,0),this.min=t}is(t){return typeof t===this.typeOf&&t>=this.min}},Et=class extends O{constructor(t){super(`string matching ${t}`,""),this.expression=t}is(t){return typeof t=="string"&&!!t.match(this.expression)}},Yt=class{is(t){return typeof t=="function"}getType(){return"function"}},Zt=class{is(t){return typeof t=="boolean"||typeof t=="undefined"||t===null}getType(){return"boolean | undefined | null"}},Wi=/^\d\d\d\d-\d\d-\d\dT\d\d:\d\d:\d\d(\.\d\d*)?(Z|[-+]\d\d(:\d\d)?)/,Xt=class{is(t){return typeof t=="number"||typeof t=="string"&&Wi.test(t)}getType(){return"date"}},Qt=class extends Et{constructor(){super(/^(\w|\.|-)+$/)}is(t){return super.is(t)&&t!=="kind"}},h=class{static createTypeArray(t,e){return new wt(t,e)}static numberWithMin(t){return new W(t)}static stringMatchingRegex(t){return new Et(t)}};h.String=new O("string","");h.Number=new O("number",0);h.ObjectOrFactory=new qt;h.Object=new O("object",{});h.StringArray=new wt("string[]","");h.Boolean=new O("boolean",!0);h.Function=new Yt;h.Date=new Xt;h.Kind=new Qt;h.NullableBoolean=new Zt;function Xe(i){return"kind"in i?h.String.is(i.kind)&&i.kind!=="multi":!1}function Qe(i){return"kind"in i?h.String.is(i.kind)&&i.kind==="multi":!1}function ti(i){return!("kind"in i)||i.kind===null||i.kind===void 0}function Dt(i,t=[]){if(i===null||typeof i!="object")return JSON.stringify(i);if(t.includes(i))throw new Error("Cycle detected");return Array.isArray(i)?`[${i.map(r=>Dt(r,[...t,i])).map(r=>r===void 0?"null":r).join(",")}]`:`{${Object.keys(i).sort().map(n=>{let r=Dt(i[n],[...t,i]);if(r!==void 0)return`${JSON.stringify(n)}:${r}`}).filter(n=>n!==void 0).join(",")}}`}var te="user";function Be(i){return i.includes("%")||i.includes(":")?i.replace(/%/g,"%25").replace(/:/g,"%3A"):i}function _i(i){return i&&h.Object.is(i)}function Ke(i){return h.Kind.is(i)}function Ge(i){return h.String.is(i)&&i!==""}function _t(i,t=!1){return i?i.map(e=>new A(e,t)):[]}function Ji(i){return i!=null}function qi(i){let t=D(g({},i.custom||[]),{kind:"user",key:String(i.key)});if(Ji(i.anonymous)){let e=!!i.anonymous;delete t.anonymous,t.anonymous=e}return i.name!==null&&i.name!==void 0&&(t.name=i.name),i.ip!==null&&i.ip!==void 0&&(t.ip=i.ip),i.firstName!==null&&i.firstName!==void 0&&(t.firstName=i.firstName),i.lastName!==null&&i.lastName!==void 0&&(t.lastName=i.lastName),i.email!==null&&i.email!==void 0&&(t.email=i.email),i.avatar!==null&&i.avatar!==void 0&&(t.avatar=i.avatar),i.country!==null&&i.country!==void 0&&(t.country=i.country),i.privateAttributeNames!==null&&i.privateAttributeNames!==void 0&&(t._meta={privateAttributes:i.privateAttributeNames}),t}var S=class i{constructor(t,e,n){this.I=!1,this.st=!1,this.oe=!1,this.M={},this.kind=e,this.valid=t,this.message=n}static x(t,e){return new i(!1,t,e)}static qe(t,e){if(!(!e||!t.isValid))return t.depth===1&&t.getComponent(0)==="anonymous"?!!(e!=null&&e.anonymous):t.get(e)}ce(t){if(this.I)return this.M[t];if(this.kind===t)return this.v}static Ye(t){let e=Object.keys(t).filter(c=>c!=="kind"),n=e.every(Ke);if(!e.length)return i.x("multi","A multi-kind context must contain at least one kind");if(!n)return i.x("multi","Context contains invalid kinds");let r={},s=!0,a=e.reduce((c,l)=>{var d;let u=t[l];return _i(u)?(c[l]=u,r[l]=_t((d=u._meta)==null?void 0:d.privateAttributes)):s=!1,c},{});if(!s)return i.x("multi","Context contained contexts that were not objects");if(!Object.values(a).every(c=>Ge(c.key)))return i.x("multi","Context contained invalid keys");if(e.length===1){let c=e[0],l=new i(!0,c);return l.v=D(g({},a[c]),{kind:c}),l.at=r,l.st=c==="user",l}let o=new i(!0,t.kind);return o.M=a,o.at=r,o.I=!0,o}static Ze(t){var c;let{key:e,kind:n}=t,r=Ke(n),s=Ge(e);if(!r)return i.x(n!=null?n:"unknown","The kind was not valid for the context");if(!s)return i.x(n,"The key for the context was not valid");let a=_t((c=t._meta)==null?void 0:c.privateAttributes),o=new i(!0,n);return o.st=n==="user",o.v=t,o.at={[n]:a},o}static Xe(t){if(!(t.key!==void 0&&t.key!==null))return i.x("user","The key for the context was not valid");let n=new i(!0,"user");return n.st=!0,n.oe=!0,n.v=qi(t),n.at={user:_t(t.privateAttributeNames,!0)},n}static fromLDContext(t){return t?Xe(t)?i.Ze(t):Qe(t)?i.Ye(t):ti(t)?i.Xe(t):i.x("unknown","Context was not of a valid kind"):i.x("unknown","No context specified. Returning default value")}static toLDContext(t){if(!t.valid)return;let e=t.getContexts();if(!t.I)return e[0][1];let n={kind:"multi"};return e.forEach(r=>{let s=r[0],a=r[1];n[s]=a}),n}valueForKind(t,e=te){return t.isKind?this.kinds:i.qe(t,this.ce(e))}key(t=te){var e;return(e=this.ce(t))==null?void 0:e.key}get isMultiKind(){return this.I}get canonicalKey(){return this.st?this.v.key:this.I?Object.keys(this.M).sort().map(t=>`${t}:${Be(this.M[t].key)}`).join(":"):`${this.kind}:${Be(this.v.key)}`}get kinds(){return this.I?Object.keys(this.M):[this.kind]}get kindsAndKeys(){return this.I?Object.entries(this.M).reduce((t,[e,n])=>(t[e]=n.key,t),{}):{[this.kind]:this.v.key}}privateAttributes(t){var e;return((e=this.at)==null?void 0:e[t])||[]}getContexts(){return this.I?Object.entries(this.M):[[this.kind,this.v]]}get legacy(){return this.oe}canonicalUnfilteredJson(){if(this.valid){if(this.kt)return this.kt;try{this.kt=Dt(i.toLDContext(this))}catch(t){}return this.kt}}};S.UserKind=te;var Yi=["key","kind","_meta","anonymous"].map(i=>new A(i,!0)),Zi=["name","ip","firstName","lastName","email","avatar","country"];function Xi(i,t){return i.depth===t.length&&t.every((e,n)=>e===i.getComponent(n))}function Qi(i,t){let e=[],n={},r=[];for(e.push(...Object.keys(i).map(s=>({key:s,ptr:[s],source:i,parent:n,visited:[i]})));e.length;){let s=e.pop(),a=t.find(o=>Xi(o,s.ptr));if(a)r.push(a.redactionName);else{let o=s.source[s.key];o===null?s.parent[s.key]=o:Array.isArray(o)?s.parent[s.key]=[...o]:typeof o=="object"?s.visited.includes(o)||(s.parent[s.key]={},e.push(...Object.keys(o).map(c=>({key:c,ptr:[...s.ptr,c],source:o,parent:s.parent[s.key],visited:[...s.visited,o]})))):s.parent[s.key]=o}}return{cloned:n,excluded:r.sort()}}var ee=class{constructor(t,e){this.Qe=t,this.ti=e}filter(t,e=!1){let n=t.getContexts();if(n.length===1)return this.le(t,n[0][1],n[0][0],e);let r={kind:"multi"};return n.forEach(([s,a])=>{r[s]=this.le(t,a,s,e)}),r}ei(t,e,n,r){return(r?Object.keys(e).map(s=>new A(s,!0)):[...this.ti,...t.privateAttributes(n)]).filter(s=>!Yi.some(a=>a.compare(s)))}le(t,e,n,r){let s=this.Qe||r&&e.anonymous===!0,{cloned:a,excluded:o}=Qi(e,this.ei(t,e,n,s));return t.legacy&&Zi.forEach(c=>{c in a&&(a[c]=String(a[c]))}),o.length&&(a._meta||(a._meta={}),a._meta.redactedAttributes=o),a._meta&&(delete a._meta.privateAttributes,Object.keys(a._meta).length===0&&delete a._meta),a}},We=30*1e3,tn=.5,bt=class{constructor(t,e,n=Math.random){this.ii=e,this.ni=n,this.xt=0,this.ue=Math.max(1,t),this.ri=Math.ceil(Math.log2(We/this.ue))}T(){let t=Math.min(this.xt,this.ri),e=this.ue*2**t;return Math.min(e,We)}si(t){return t-Math.trunc(this.ni()*tn*t)}success(t=Date.now()){this.Lt=t}fail(t=Date.now()){this.Lt!==void 0&&t-this.Lt>this.ii&&(this.xt=0),this.Lt=void 0;let e=this.si(this.T());return this.xt+=1,e}};var _e;(function(i){i[i.Valid=0]="Valid",i[i.Initializing=1]="Initializing",i[i.Interrupted=2]="Interrupted",i[i.Closed=3]="Closed"})(_e||(_e={}));var R=class extends Error{constructor(t,e,n,r=!0){super(e),this.kind=t,this.status=n,this.name="LaunchDarklyPollingError",this.recoverable=r}},j=class extends Error{constructor(t,e,n,r=!0){super(e),this.kind=t,this.code=n,this.name="LaunchDarklyStreamingError",this.recoverable=r}};var Ir=120*1e3,Tr=300*1e3;var w;(function(i){i.Unknown="UNKNOWN",i.NetworkError="NETWORK_ERROR",i.ErrorResponse="ERROR_RESPONSE",i.InvalidData="INVALID_DATA"})(w||(w={}));var z;(function(i){i[i.Disabled=0]="Disabled",i[i.Enabled=1]="Enabled"})(z||(z={}));var H;(function(i){i[i.AnalyticsEvents=0]="AnalyticsEvents",i[i.DiagnosticEvent=1]="DiagnosticEvent"})(H||(H={}));var F;(function(i){i[i.Succeeded=0]="Succeeded",i[i.Failed=1]="Failed",i[i.FailedAndMustShutDown=2]="FailedAndMustShutDown"})(F||(F={}));function V(i){if(typeof i=="string")return i;if(i===void 0)return"undefined";if(i===null)return"null";if(Object.prototype.hasOwnProperty.call(i,"toString"))try{return i.toString()}catch(t){}if(typeof i=="bigint")return`${i}n`;try{return JSON.stringify(i)}catch(t){return t instanceof TypeError&&t.message.indexOf("circular")>=0?"[Circular]":"[Not Stringifiable]"}}function en(i){return typeof i=="symbol"?"NaN":typeof i=="bigint"?`${i}n`:String(Number(i))}function nn(i){return typeof i=="symbol"?"NaN":typeof i=="bigint"?`${i}n`:String(parseInt(i,10))}function rn(i){return typeof i=="symbol"?"NaN":String(parseFloat(i))}var yt={s:i=>V(i),d:i=>en(i),i:i=>nn(i),f:i=>rn(i),j:i=>V(i),o:i=>V(i),O:i=>V(i),c:()=>""};function ie(...i){var e;let t=i.shift();if(h.String.is(t)){let n="",r=0;for(;r<t.length;){let s=t.charAt(r);if(s==="%"){if(r+1<t.length){let o=t.charAt(r+1);if(o in yt&&i.length){let c=i.shift();n+=(e=yt[o])==null?void 0:e.call(yt,c)}else o==="%"?n+="%":n+=`%${o}`;r+=2}}else n+=s,r+=1}return i.length&&(n.length&&(n+=" "),n+=i.map(V).join(" ")),n}return i.map(V).join(" ")}var v;(function(i){i[i.debug=0]="debug",i[i.info=1]="info",i[i.warn=2]="warn",i[i.error=3]="error",i[i.none=4]="none"})(v||(v={}));var sn=["debug","info","warn","error","none"],M=class i{static get(){return new i({})}constructor(t){var e,n,r;if(this.fi=(n=v[(e=t.level)!=null?e:"info"])!=null?n:v.info,this.gi=(r=t.name)!=null?r:"LaunchDarkly",this.pe=t.formatter,typeof t.destination=="object")this.me={[v.debug]:t.destination.debug,[v.info]:t.destination.info,[v.warn]:t.destination.warn,[v.error]:t.destination.error};else if(typeof t.destination=="function"){let{destination:s}=t;this.me={[v.debug]:s,[v.info]:s,[v.warn]:s,[v.error]:s}}}pi(...t){var e;try{return this.pe?(e=this.pe)==null?void 0:e.call(this,...t):ie(...t)}catch(n){return ie(...t)}}mi(t,e){try{t(e)}catch(n){console.error(e)}}L(t,e){var n;if(t>=this.fi){let r=`${sn[t]}: [${this.gi}]`;try{let s=(n=this.me)==null?void 0:n[t];s?this.mi(s,`${r} ${this.pi(...e)}`):console.error(...e)}catch(s){console.error(...e)}}}error(...t){this.L(v.error,t)}warn(...t){this.L(v.warn,t)}info(...t){this.L(v.info,t)}debug(...t){this.L(v.debug,t)}},an={error:h.Function,warn:h.Function,info:h.Function,debug:h.Function},_=class{constructor(t,e){Object.entries(an).forEach(([n,r])=>{if(!r.is(t[n]))throw new Error(`Provided logger instance must support logger.${n}(...) method`)}),this.t=t,this.yi=e}L(t,e){try{this.t[t](...e)}catch(n){this.yi[t](...e)}}error(...t){this.L("error",t)}warn(...t){this.L("warn",t)}info(...t){this.L("info",t)}debug(...t){this.L("debug",t)}},fe=i=>{let t=new M({level:"info",destination:console.error,formatter:ie});return i?new _(i,t):t},b=class{static deprecated(t,e){return`"${t}" is deprecated, please use "${e}"`}static optionBelowMinimum(t,e,n){return`Config option "${t}" had invalid value of ${e}, using minimum of ${n} instead`}static unknownOption(t){return`Ignoring unknown config option "${t}"`}static wrongOptionType(t,e,n){return`Config option "${t}" should be of type ${e}, got ${n}, using default value`}static wrongOptionTypeBoolean(t,e){return`Config option "${t}" should be a boolean, got ${e}, converting to boolean`}static invalidTagValue(t){return`Config option "${t}" must only contain letters, numbers, ., _ or -.`}static tagValueTooLong(t){return`Value of "${t}" was longer than 64 characters and was discarded.`}static partialEndpoint(t){return`You have set custom uris without specifying the ${t} URI; connections may not work properly`}},on=/^(\w|\.|-)+$/,cn=h.stringMatchingRegex(on),ln={is:(i,t)=>cn.is(i)?i.length>64?{valid:!1,message:b.tagValueTooLong(t)}:{valid:!0}:{valid:!1,message:b.invalidTagValue(t)}},kt=class{constructor(t){let e={},n=t==null?void 0:t.application,r=t==null?void 0:t.logger;n&&Object.entries(n).forEach(([a,o])=>{if(o!=null){let{valid:c,message:l}=ln.is(o,`application.${a}`);c?a==="versionName"?e["application-version-name"]=[o]:e[`application-${a}`]=[o]:r==null||r.warn(l)}});let s=Object.keys(e);s.length&&(this.value=s.sort().flatMap(a=>e[a].sort().map(o=>`${a}/${o}`)).join(" "))}},xt=class{constructor(t,e,n){this.platform=n,this.basicConfiguration={tags:e.tags,logger:e.logger,offline:e.offline,serviceEndpoints:e.serviceEndpoints,sdkKey:t}}};function Jt(i){return i.replace(/\/+$/,"")}function ge(i){return i.replace(/^\/+/,"").replace(/\?$/,"")}var U=class i{constructor(t,e,n=i.DEFAULT_EVENTS,r="/bulk",s="/diagnostic",a=!0,o){this.streaming=Jt(t),this.polling=Jt(e),this.events=Jt(n),this.analyticsEventPath=r,this.diagnosticEventPath=s,this.includeAuthorizationHeader=a,this.payloadFilterKey=o}};U.DEFAULT_EVENTS="https://events.launchdarkly.com";function pe(i,t=[]){if(t.length===0)return i;let e=t.map(({key:n,value:r})=>`${n}=${r}`);return`${i}?${e.join("&")}`}function ei(i,t,e){let n=ge(t),r=[...e];return i.payloadFilterKey&&r.push({key:"filter",value:i.payloadFilterKey}),pe(`${i.streaming}/${n}`,r)}function ii(i,t,e=[]){let n=ge(t),r=[...e];return i.payloadFilterKey&&r.push({key:"filter",value:i.payloadFilterKey}),pe(`${i.polling}/${n}`,r)}function Je(i,t,e=[]){let n=ge(t);return pe(`${i.events}/${n}`,e)}var J=class extends Error{constructor(t){super(t),this.name="LaunchDarklyUnexpectedResponseError"}},q=class extends Error{constructor(t){super(t),this.name="LaunchDarklyClientError"}},I=class extends Error{constructor(t){super(t),this.name="LaunchDarklyTimeoutError"}};function Z(i){return i>=400&&i<500?i===400||i===408||i===429:!0}function un(i){return i===413?!0:Z(i)}function Ot(i,t){let e,n;return{promise:new Promise((s,a)=>{n=s,e=setTimeout(()=>{let o=`${t} timed out after ${i} seconds.`;a(new I(o))},i*1e3)}),cancel:()=>{n(),clearTimeout(e)}}}function me(i){return i==null?i:JSON.parse(JSON.stringify(i))}function $t(i){return Math.trunc(i*1e3)}var hn=i=>JSON.stringify(i)==="{}",Nt=(i,t)=>i&&Object.entries(i).reduce((e,[n,r])=>(r&&!hn(r)&&!(t!=null&&t.includes(n))&&(e[n]=typeof r=="object"?Nt(r,t):r),e),{});function G(i,t){if(i===t)return!0;if(i&&t&&typeof i=="object"&&typeof t=="object"){if(i.constructor!==t.constructor)return!1;var e,n,r;if(Array.isArray(i)){if(e=i.length,e!=t.length)return!1;for(n=e;n--!==0;)if(!G(i[n],t[n]))return!1;return!0}if(i instanceof Map&&t instanceof Map){if(i.size!==t.size)return!1;for(n of i.entries())if(!t.has(n[0]))return!1;for(n of i.entries())if(!G(n[1],t.get(n[0])))return!1;return!0}if(i instanceof Set&&t instanceof Set){if(i.size!==t.size)return!1;for(n of i.entries())if(!t.has(n[0]))return!1;return!0}if(ArrayBuffer.isView(i)&&ArrayBuffer.isView(t)){if(e=i.length,e!=t.length)return!1;for(n=e;n--!==0;)if(i[n]!==t[n])return!1;return!0}if(i.constructor===RegExp)return i.source===t.source&&i.flags===t.flags;if(i.valueOf!==Object.prototype.valueOf)return i.valueOf()===t.valueOf();if(i.toString!==Object.prototype.toString)return i.toString()===t.toString();if(r=Object.keys(i),e=r.length,e!==Object.keys(t).length)return!1;for(n=e;n--!==0;)if(!Object.prototype.hasOwnProperty.call(t,r[n]))return!1;for(n=e;n--!==0;){var s=r[n];if(!G(i[s],t[s]))return!1}return!0}return i!==i&&t!==t}function ni(i,t,e,n=!0,r="user-agent"){let{userAgentBase:s,version:a,wrapperName:o,wrapperVersion:c}=t.sdkData(),l={[r]:`${s!=null?s:"NodeJSClient"}/${a}`};return n&&(l.authorization=i),o&&(l["x-launchdarkly-wrapper"]=c?`${o}/${c}`:o),e!=null&&e.value&&(l["x-launchdarkly-tags"]=e.value),l}function $(i,t,e){let n;i.status?n=`error ${i.status}${i.status===401?" (invalid SDK key)":""}`:n=`I/O error (${i.message||"unknown error"})`;let r=e!=null?e:"giving up permanently";return`Received ${n} for ${t} - ${r}`}function Ft({status:i}){return i?Z(i):!0}var ye=(i,t)=>t.btoa(i).replace(/\+/g,"-").replace(/\//g,"_").replace(/=+$/,"");var ve=async(i=1e3)=>new Promise(t=>{setTimeout(t,i)});var ne=class{constructor(t,e,n){this.p=e,this.vi=n,this.Pt=[],this.ye=Date.now(),this.ve=this.ye,this.we={diagnosticId:e.crypto.randomUUID(),sdkKeySuffix:t.length>6?t.substring(t.length-6):t}}createInitEvent(){var n,r,s;let t=this.p.info.sdkData(),e=this.p.info.platformData();return{kind:"diagnostic-init",id:this.we,creationDate:this.ye,sdk:t,configuration:this.vi,platform:g({name:e.name,osArch:(n=e.os)==null?void 0:n.arch,osName:(r=e.os)==null?void 0:r.name,osVersion:(s=e.os)==null?void 0:s.version},e.additional||{})}}recordStreamInit(t,e,n){let r={timestamp:t,failed:e,durationMillis:n};this.Pt.push(r)}createStatsEventAndReset(t,e,n){let r=Date.now(),s={kind:"diagnostic",id:this.we,creationDate:r,dataSinceDate:this.ve,droppedEvents:t,deduplicatedUsers:e,eventsInLastBatch:n,streamInits:this.Pt};return this.Pt=[],this.ve=r,s}},re;(function(i){i.MalformedFlag="MALFORMED_FLAG",i.UserNotSpecified="USER_NOT_SPECIFIED",i.FlagNotFound="FLAG_NOT_FOUND",i.ClientNotReady="CLIENT_NOT_READY",i.WrongType="WRONG_TYPE"})(re||(re={}));var dn=re,Lt=class{static invalidMetricValue(t){return`The track function was called with a non-numeric "metricValue" (${t}), only numeric metric values are supported.`}};Lt.MissingContextKeyNoEvent="Context was unspecified or had no key; event will not be sent";var se=class{constructor(t,e){let{basicConfiguration:n,platform:r}=t,{serviceEndpoints:{analyticsEventPath:s,diagnosticEventPath:a}}=n,{crypto:o,requests:c}=r;this.wi=g({},e),this.Ee=Je(n.serviceEndpoints,s,[]),this.Ei=Je(n.serviceEndpoints,a,[]),this.$=c,this.Di=o}async ot(t,e,n,r){let s={status:F.Succeeded},a=D(g({},this.wi),{"content-type":"application/json"});n&&(a["x-launchdarkly-payload-id"]=n,a["x-launchDarkly-event-schema"]="4");let o;try{let{status:c,headers:l}=await this.$.fetch(e,{headers:a,body:JSON.stringify(t),compressBodyIfPossible:!0,method:"POST",keepalive:!0}),u=Date.parse(l.get("date")||"");if(u&&(s.serverTime=u),c<=204)return s;if(o=new J($({status:c,message:"some events were dropped"},"event posting")),!Z(c))return un(c)?s.status=F.Failed:s.status=F.FailedAndMustShutDown,s.error=o,s}catch(c){o=c}return o&&!r?(s.status=F.Failed,s.error=o,s):(await ve(),this.ot(t,this.Ee,n,!1))}async sendEventData(t,e){let n=t===H.AnalyticsEvents?this.Di.randomUUID():void 0,r=t===H.AnalyticsEvents?this.Ee:this.Ei;return this.ot(e,r,n,!0)}};function St(i){return i.kind==="feature"}function fn(i){return i.kind==="identify"}function gn(i){return i.kind==="migration_op"}var ae=class{constructor(t,e,n,r,s,a){this.count=t,this.key=e,this.value=n,this.version=s,this.variation=a,this.default=r}increment(){this.count+=1}};function pn(i){return`${i.key}:${i.variation!==null&&i.variation!==void 0?i.variation:""}:${i.version!==null&&i.version!==void 0?i.version:""}`}var Ct=class{constructor(t=!1,e){this.bi=t,this.S=e,this.X=0,this.ct=0,this.lt={},this.ut={}}summarizeEvent(t){if(St(t)&&!t.excludeFromSummaries){this.v||(this.v=t.context);let e=pn(t),n=this.lt[e],r=this.ut[t.key];r||(r=new Set,this.ut[t.key]=r),t.context.kinds.forEach(s=>r.add(s)),n?n.increment():this.lt[e]=new ae(1,t.key,t.value,t.default,t.version,t.variation),(this.X===0||t.creationDate<this.X)&&(this.X=t.creationDate),t.creationDate>this.ct&&(this.ct=t.creationDate)}}getSummary(){var n;let t=Object.values(this.lt).reduce((r,s)=>{let a=r[s.key];a||(a={default:s.default,counters:[],contextKinds:[...this.ut[s.key]]},r[s.key]=a);let o={value:s.value,count:s.count};return s.variation!==void 0&&s.variation!==null&&(o.variation=s.variation),s.version!==void 0&&s.version!==null?o.version=s.version:o.unknown=!0,a.counters.push(o),r},{}),e={startDate:this.X,endDate:this.ct,features:t,kind:"summary",context:this.v!==void 0&&this.bi?(n=this.S)==null?void 0:n.filter(this.v):void 0};return this.ki(),e}ki(){this.X=0,this.ct=0,this.lt={},this.ut={}}},oe=class extends Error{constructor(t){super(t),this.name="LaunchDarklyInvalidSDKKeyError"}},ce=class{constructor(t,e){this.S=t,this.t=e,this.Q={}}summarizeEvent(t){var e;if(St(t)){let n=t.context.canonicalUnfilteredJson();if(!n){t.context.valid&&((e=this.t)==null||e.error("Unable to serialize context, likely the context contains a cycle."));return}let r=this.Q[n];r||(this.Q[n]=new Ct(!0,this.S),r=this.Q[n]),r.summarizeEvent(t)}}getSummaries(){let t=this.Q;return this.Q={},Object.values(t).map(e=>e.getSummary())}};function vt(i){let t=Math.trunc(i);return t===1?!0:t===0?!1:Math.floor(Math.random()*t)===0}function mn(i){return i.getSummaries!==void 0}var le=class{constructor(t,e,n,r,s,a=!0,o=!1){this.r=t,this.ht=r,this.C=s,this.dt=[],this.De=0,this.It=0,this.Tt=0,this.At=!1,this.be=0,this.Ot=!1,this.$t=null,this.xi=t.eventsCapacity,this.t=e.basicConfiguration.logger,this.ke=new se(e,n),this.S=new ee(t.allAttributesPrivate,t.privateAttributes.map(c=>new A(c))),o?this.tt=new ce(this.S,this.t):this.tt=new Ct,a&&this.start()}start(){var t,e;if(((t=this.ht)==null?void 0:t.flushInterval)!==void 0&&(this.$t=setInterval(()=>{var n;(n=this.ht)==null||n.flush()},this.ht.flushInterval*1e3)),this.Li=setInterval(async()=>{var n;try{await this.flush()}catch(r){(n=this.t)==null||n.debug(`Flush failed: ${r}`)}},this.r.flushInterval*1e3),this.C){let n=this.C.createInitEvent();this.xe(n),this.Le=setInterval(()=>{let r=this.C.createStatsEventAndReset(this.It,this.Tt,this.be);this.It=0,this.Tt=0,this.xe(r)},this.r.diagnosticRecordingInterval*1e3)}(e=this.t)==null||e.debug("Started EventProcessor.")}xe(t){this.ke.sendEventData(H.DiagnosticEvent,t)}close(){clearInterval(this.Li),this.$t&&clearInterval(this.$t),this.Le&&clearInterval(this.Le)}async flush(){var e;if(this.Ot)throw new oe("Events cannot be posted because a permanent error has been encountered. This is most likely an invalid SDK key. The specific error information is logged independently.");let t=this.dt;if(this.dt=[],mn(this.tt))this.tt.getSummaries().forEach(r=>{Object.keys(r.features).length&&t.push(r)});else{let n=this.tt.getSummary();Object.keys(n.features).length&&t.push(n)}t.length&&(this.be=t.length,(e=this.t)==null||e.debug("Flushing %d events",t.length),await this.ot(t))}sendEvent(t){var c;if(this.Ot)return;if(gn(t)){if(vt(t.samplingRatio)){let l=D(g({},t),{context:t.context?this.S.filter(t.context):void 0});l.samplingRatio===1&&delete l.samplingRatio,this.ft(l)}return}this.tt.summarizeEvent(t);let e=St(t),n=e&&t.trackEvents||!e,r=this.Si(t),s=fn(t),a=(c=this.ht)==null?void 0:c.processContext(t.context);a||s||(this.Tt+=1),a&&!s&&this.ft(this.Nt({kind:"index",creationDate:t.creationDate,context:t.context,samplingRatio:1},!1)),n&&vt(t.samplingRatio)&&this.ft(this.Nt(t,!1)),r&&vt(t.samplingRatio)&&this.ft(this.Nt(t,!0))}Nt(t,e){switch(t.kind){case"feature":{let n={kind:e?"debug":"feature",creationDate:t.creationDate,context:this.S.filter(t.context,!e),key:t.key,value:t.value,default:t.default};return t.samplingRatio!==1&&(n.samplingRatio=t.samplingRatio),t.prereqOf&&(n.prereqOf=t.prereqOf),t.variation!==void 0&&(n.variation=t.variation),t.version!==void 0&&(n.version=t.version),t.reason&&(n.reason=t.reason),n}case"index":case"identify":{let n={kind:t.kind,creationDate:t.creationDate,context:this.S.filter(t.context)};return t.samplingRatio!==1&&(n.samplingRatio=t.samplingRatio),n}case"custom":{let n={kind:"custom",creationDate:t.creationDate,key:t.key,context:this.S.filter(t.context)};return t.samplingRatio!==1&&(n.samplingRatio=t.samplingRatio),t.data!==void 0&&(n.data=t.data),t.metricValue!==void 0&&(n.metricValue=t.metricValue),t.url!==void 0&&(n.url=t.url),n}case"click":return{kind:"click",creationDate:t.creationDate,contextKeys:t.context.kindsAndKeys,key:t.key,url:t.url,selector:t.selector};case"pageview":return{kind:"pageview",creationDate:t.creationDate,contextKeys:t.context.kindsAndKeys,key:t.key,url:t.url};default:return t}}ft(t){var e;this.dt.length<this.xi?(this.dt.push(t),this.At=!1):(this.At||(this.At=!0,(e=this.t)==null||e.warn("Exceeded event queue capacity. Increase capacity to avoid dropping events.")),this.It+=1)}Si(t){return St(t)&&t.debugEventsUntilDate&&t.debugEventsUntilDate>this.De&&t.debugEventsUntilDate>Date.now()}async ot(t){let e=await this.ke.sendEventData(H.AnalyticsEvents,t);if(e.status===F.FailedAndMustShutDown&&(this.Ot=!0),e.serverTime&&(this.De=e.serverTime),e.error)throw e.error}},Pt=class{constructor(t,e,n,r,s=1,a){this.context=t,this.key=e,this.data=n,this.metricValue=r,this.samplingRatio=s,this.url=a,this.kind="custom",this.creationDate=Date.now(),this.context=t}},Y=class{constructor(t,e,n,r,s,a,o,c,l,u,d,f,m=1){this.withReasons=t,this.context=e,this.key=n,this.samplingRatio=m,this.kind="feature",this.creationDate=Date.now(),this.value=r,this.default=s,a!==void 0&&(this.version=a),o!==void 0&&(this.variation=o),c!==void 0&&(this.trackEvents=c),l!==void 0&&(this.prereqOf=l),u!==void 0&&(this.reason=u),d!==void 0&&(this.debugEventsUntilDate=d),f!==void 0&&(this.excludeFromSummaries=f)}},It=class{constructor(t,e=1){this.context=t,this.samplingRatio=e,this.kind="identify",this.creationDate=Date.now()}},ue=class{close(){}async flush(){}sendEvent(){}},he=class{constructor(t){this.Ft=t}evalEvent(t){var e;return new Y(this.Ft,t.context,t.flagKey,t.value,t.defaultVal,t.version,(e=t.variation)!=null?e:void 0,t.trackEvents||t.addExperimentData,t.prereqOfFlagKey,this.Ft||t.addExperimentData?t.reason:void 0,t.debugEventsUntilDate,t.excludeFromSummaries,t.samplingRatio)}unknownFlagEvent(t,e,n){return new Y(this.Ft,n,t,e,e,void 0,void 0,void 0,void 0,void 0,void 0,void 0,void 0)}identifyEvent(t){return new It(t,1)}customEvent(t,e,n,r,s=1){return new Pt(e,t,n!=null?n:void 0,r!=null?r:void 0,s)}},qe="FDv1Fallback";function yn(i){return{Ci:i,Se:"",useSelector(t){return this.Se=t,this},processFullTransfer(t){let e=[{event:"server-intent",data:{payloads:[{id:qe,target:1,intentCode:"xfer-full",reason:"payload-missing"}]}}];Object.entries((t==null?void 0:t.flags)||[]).forEach(([n,r])=>{e.push({event:"put-object",data:{kind:"flag",key:n,version:r.version||1,object:r}})}),Object.entries((t==null?void 0:t.segments)||[]).forEach(([n,r])=>{e.push({event:"put-object",data:{kind:"segment",key:n,version:r.version||1,object:r}})}),e.push({event:"payload-transferred",data:{state:this.Se,version:1,id:qe}}),this.Ci.processEvents(e)}}}var Tt=class{constructor(t,e,n){this.Pi=t,this.y=e,this.t=n,this.e=[],this.U=void 0,this.K=!1,this.G=[],this.Ii=r=>{var a;if(this.Rt(),!r.payloads.length)return;let s=r.payloads[0];switch(s==null?void 0:s.intentCode){case"xfer-full":this.K=!0;break;case"xfer-changes":this.K=!1;break;case"none":this.K=!1,this.Ti(s);break;default:(a=this.t)==null||a.warn(`Unable to process intent code '${s==null?void 0:s.intentCode}'.`);return}this.U=s==null?void 0:s.id},this.Ai=r=>{var a;if(!this.U||!r.kind||!r.key||!r.version||!r.object)return;let s=this.Oi(r.kind,r.object);if(!s){(a=this.t)==null||a.warn(`Unable to process object for kind: '${r.kind}'`);return}this.G.push({kind:r.kind,key:r.key,version:r.version,object:s})},this.$i=r=>{!this.U||!r.kind||!r.key||!r.version||this.G.push({kind:r.kind,key:r.key,version:r.version,deleted:!0})},this.Ti=r=>{if(!r.id||!r.target)return;let s={id:r.id,version:r.target,basis:!1,updates:[]};this.e.forEach(a=>a(s)),this.Ce()},this.Ni=r=>{if(!this.U||r.state===null||r.state===void 0||!r.version){this.Rt();return}let s={id:this.U,version:r.version,state:r.state,basis:this.K,updates:this.G};this.e.forEach(a=>a(s)),this.Ce()},this.Fi=r=>{var s;(s=this.t)==null||s.info(`Goodbye was received from the LaunchDarkly connection with reason: ${r.reason}.`),this.Rt()},this.Ri=r=>{var s;(s=this.t)==null||s.info(`An issue was encountered receiving updates for payload ${this.U} with reason: ${r.reason}.`),this.Mi()}}addPayloadListener(t){this.e.push(t)}removePayloadListener(t){let e=this.e.indexOf(t,0);e>-1&&this.e.splice(e,1)}processEvents(t){t.forEach(e=>{switch(e.event){case"server-intent":{this.Ii(e.data);break}case"put-object":{this.Ai(e.data);break}case"delete-object":{this.$i(e.data);break}case"payload-transferred":{this.Ni(e.data);break}case"goodbye":{this.Fi(e.data);break}case"error":{this.Ri(e.data);break}}})}Oi(t,e){var n,r;return(r=(n=this.Pi)[t])==null?void 0:r.call(n,e)}Ce(){this.K=!1,this.G=[]}Mi(){this.G=[]}Rt(){this.U=void 0,this.K=!1,this.G=[]}},de=class{constructor(t,e,n,r){this.y=n,this.t=r,this.W(t,"server-intent"),this.W(t,"put-object"),this.W(t,"delete-object"),this.W(t,"payload-transferred"),this.W(t,"goodbye"),this.W(t,"error"),this.Mt=new Tt(e,n,r)}addPayloadListener(t){this.Mt.addPayloadListener(t)}removePayloadListener(t){this.Mt.removePayloadListener(t)}W(t,e){t.addEventListener(e,async n=>{var r,s,a,o,c;if(n!=null&&n.data){(r=this.t)==null||r.debug(`Received ${e} event. Data is ${n.data}`);try{this.Mt.processEvents([{event:e,data:JSON.parse(n.data)}])}catch(l){(s=this.t)==null||s.error(`Stream received data that was unable to be processed in "${e}" message`),(a=this.t)==null||a.debug(`Data follows: ${n.data}`),(o=this.y)==null||o.call(this,w.InvalidData,"Malformed data in EventStream.")}}else(c=this.y)==null||c.call(this,w.Unknown,"Event from EventStream missing data.")})}};function vn(i){if(i){let t=Object.keys(i).find(e=>e.toLowerCase()==="x-ld-envid");if(t)return{environmentId:i[t]}}}var Ye="unknown plugin";function At(i,t){try{return t.getMetadata().name||Ye}catch(e){return i.error("Exception thrown getting metadata for plugin. Unable to get plugin name."),Ye}}function wn(i,t,e){let n=[];return e.forEach(r=>{var s;try{let a=(s=r.getHooks)==null?void 0:s.call(r,t);a===void 0?i.error(`Plugin ${At(i,r)} returned undefined from getHooks.`):a&&a.length>0&&n.push(...a)}catch(a){i.error(`Exception thrown getting hooks for plugin ${At(i,r)}. Unable to get hooks.`)}}),n}function En(i,t,e,n){n.forEach(r=>{try{r.register(e,t)}catch(s){i.error(`Exception thrown registering plugin ${At(i,r)}.`)}})}var k=Object.freeze({__proto__:null,ClientMessages:Lt,DiagnosticsManager:ne,ErrorKinds:dn,EventFactoryBase:he,EventProcessor:le,FDv1PayloadAdaptor:yn,InputCustomEvent:Pt,InputEvalEvent:Y,InputIdentifyEvent:It,NullEventProcessor:ue,PayloadProcessor:Tt,PayloadStreamReader:de,canonicalize:Dt,initMetadataFromHeaders:vn,isLegacyUser:ti,isMultiKind:Qe,isSingleKind:Xe,safeGetHooks:wn,safeGetName:At,safeRegisterPlugins:En,shouldSample:vt});var E;(function(i){i.Initializing="INITIALIZING",i.Valid="VALID",i.Interrupted="INTERRUPTED",i.SetOffline="SET_OFFLINE",i.Closed="CLOSED"})(E||(E={}));function bn(i){return i>=200&&i<=299}var Rt=class extends Error{constructor(t,e){super(t),this.status=e,this.name="LaunchDarklyRequestError"}},Ee=class{constructor(t,e,n,r,s){this.$=t,this.Ui=e,this.gt=n,this.Vi=r,this.ji=s}async requestPayload(){let t;try{let e=await this.$.fetch(this.Ui,{method:this.Vi,headers:this.gt,body:this.ji});if(bn(e.status))return await e.text();t=e.status}catch(e){throw new Rt(e==null?void 0:e.message)}throw new Rt(`Unexpected status code: ${t}`,t)}};function Ae(i,t,e,n,r,s,a,o,c,l){let u,d="GET",f=g({},s);c&&(d="REPORT",f["content-type"]="application/json",u=i);let m=c?e.pathReport(r,i):e.pathGet(r,i),p=[...a!=null?a:[]];o&&p.push({key:"withReasons",value:"true"}),l&&p.push({key:"h",value:l});let y=ii(t,m,p);return new Ee(n,y,f,d,u)}var ri=new Error("Task has already been executed or shed. This is likely an implementation error. The task will not be executed again.");function kn(i,t,e=!1){let n,r=new Promise(o=>{n=(c,l)=>{var u;try{(u=i.after)==null||u.call(i,c,l)}catch(d){t==null||t.error(`Error in after callback: ${d}`)}o(c)}}),s=i.before?i.before():Promise.resolve(void 0),a=!1;return{execute:()=>{a&&(t==null||t.error(ri)),a=!0,s.then(o=>{i.execute(o).then(c=>n({status:"complete",result:c},o)).catch(c=>n({status:"error",error:c},o))}).catch(o=>{t==null||t.error(o),n({status:"error",error:o},void 0)})},shed:()=>{a&&(t==null||t.error(ri)),a=!0,s.then(o=>{n({status:"shed"},o)})},promise:r,sheddable:e}}function xn(i){let t,e=[];function n(){if(!t&&e.length>0){let r=e.shift();t=r.promise.finally(()=>{t=void 0,n()}),r.execute()}}return{execute(r,s=!1){var o,c;let a=kn(r,i,s);return t?((o=e[e.length-1])!=null&&o.sheddable&&((c=e.pop())==null||c.shed()),e.push(a)):(t=a.promise.finally(()=>{t=void 0,n()}),a.execute()),a.promise},pendingCount(){return e.length}}}var Ln={logger:h.Object,maxCachedContexts:h.numberWithMin(0),baseUri:h.String,streamUri:h.String,eventsUri:h.String,capacity:h.numberWithMin(1),diagnosticRecordingInterval:h.numberWithMin(2),flushInterval:h.numberWithMin(2),streamInitialReconnectDelay:h.numberWithMin(0),allAttributesPrivate:h.Boolean,debug:h.Boolean,diagnosticOptOut:h.Boolean,withReasons:h.Boolean,sendEvents:h.Boolean,pollInterval:h.numberWithMin(30),useReport:h.Boolean,privateAttributes:h.StringArray,applicationInfo:h.Object,wrapperName:h.String,wrapperVersion:h.String,payloadFilterKey:h.stringMatchingRegex(/^[a-zA-Z0-9](\w|\.|-)*$/),hooks:h.createTypeArray("Hook[]",{}),inspectors:h.createTypeArray("LDInspection",{}),cleanOldPersistentData:h.Boolean},Sn=300,gi="https://clientsdk.launchdarkly.com",pi="https://clientstream.launchdarkly.com";function Cn(i){return i instanceof _?i:fe(i)}var De=class{constructor(t={},e={getImplementationHooks:()=>[],credentialType:"mobileKey"}){var r,s,a;this.logger=fe(),this.baseUri=gi,this.eventsUri=U.DEFAULT_EVENTS,this.streamUri=pi,this.maxCachedContexts=5,this.capacity=100,this.diagnosticRecordingInterval=900,this.flushInterval=30,this.streamInitialReconnectDelay=1,this.allAttributesPrivate=!1,this.debug=!1,this.diagnosticOptOut=!1,this.sendEvents=!0,this.sendLDHeaders=!0,this.useReport=!1,this.withReasons=!1,this.privateAttributes=[],this.pollInterval=Sn,this.hooks=[],this.inspectors=[],this.logger=Cn(t.logger),this.zi(t).forEach(o=>this.logger.warn(o)),this.serviceEndpoints=new U(this.streamUri,this.baseUri,this.eventsUri,e.analyticsEventPath,e.diagnosticEventPath,e.includeAuthorizationHeader,t.payloadFilterKey),this.useReport=(r=t.useReport)!=null?r:!1,this.tags=new kt({application:this.applicationInfo,logger:this.logger}),this.userAgentHeaderName=(s=e.userAgentHeaderName)!=null?s:"user-agent",this.trackEventModifier=(a=e.trackEventModifier)!=null?a:(o=>o),this.credentialType=e.credentialType,this.getImplementationHooks=e.getImplementationHooks}zi(t){let e=[];return Object.entries(t).forEach(([n,r])=>{let s=Ln[n];if(s)if(s.is(r))n==="logger"||(this[n]=r!=null?r:void 0);else{let a=s.getType();if(a==="boolean")e.push(b.wrongOptionTypeBoolean(n,typeof r)),this[n]=!!r;else if(a==="boolean | undefined | null")e.push(b.wrongOptionTypeBoolean(n,typeof r)),typeof r!="boolean"&&typeof r!="undefined"&&r!==null&&(this[n]=!!r);else if(s instanceof W&&h.Number.is(r)){let{min:o}=s;e.push(b.optionBelowMinimum(n,r,o)),this[n]=o}else e.push(b.wrongOptionType(n,s.getType(),typeof r))}else e.push(b.unknownOption(n))}),e}};async function mi(i,t){if(i.digest)return i.digest(t);if(i.asyncDigest)return i.asyncDigest(t);throw new Error("Platform must implement digest or asyncDigest")}var yi=async(i,{crypto:t,storage:e})=>{let n=await(e==null?void 0:e.get(i));return n||(n=t.randomUUID(),await(e==null?void 0:e.set(i,n))),n};function vi(i){return async t=>mi(i.createHash("sha256").update(t),"base64")}var C=async i=>i;async function Q(i){return(await Promise.all(i.map(e=>e.transform(e.value)))).join("_")}async function Pn(i,t){return Q([{value:"LaunchDarkly",transform:C},{value:t,transform:vi(i)}])}async function In(i){return Q([{value:"LaunchDarkly",transform:C},{value:"AnonymousKeys",transform:C},{value:i,transform:C}])}async function Tn(i){return Q([{value:"LaunchDarkly",transform:C},{value:"ContextKeys",transform:C},{value:i,transform:C}])}async function An(i){return Q([{value:i,transform:C},{value:"ContextIndex",transform:C}])}async function si(i,t,e){return Q([{value:t,transform:C},{value:e.canonicalKey,transform:vi(i)}])}var{isLegacyUser:On,isSingleKind:we,isMultiKind:ai}=k,wi="1.0",$n=i=>{let n=i,{kind:t}=n,e=Wt(n,["kind"]);return{kind:"multi",[t]:e}},Nn=async({crypto:i,info:t},{applicationInfo:e})=>{var a;let{ld_application:n}=t.platformData(),r=(a=Nt(n))!=null?a:{},s=(e==null?void 0:e.id)||(r==null?void 0:r.id);if(s){let o=(e==null?void 0:e.version)||(r==null?void 0:r.version),c=(e==null?void 0:e.name)||(r==null?void 0:r.name),l=(e==null?void 0:e.versionName)||(r==null?void 0:r.versionName);return r=g(g(g(D(g({},r),{id:s}),o?{version:o}:{}),c?{name:c}:{}),l?{versionName:l}:{}),r.key=await mi(i.createHash("sha256").update(s),"base64"),r.envAttributesVersion=r.envAttributesVersion||wi,r}},Fn=async i=>{var o,c,l,u;let{ld_device:t,os:e}=i.info.platformData(),n=(o=Nt(t))!=null?o:{},r=(e==null?void 0:e.name)||((c=n.os)==null?void 0:c.name),s=(e==null?void 0:e.version)||((l=n.os)==null?void 0:l.version),a=(u=n.os)==null?void 0:u.family;if((r||s||a)&&(n.os=g(g(g({},r?{name:r}:{}),s?{version:s}:{}),a?{family:a}:{})),Object.keys(n).filter(d=>d!=="key"&&d!=="envAttributesVersion").length){let d=await Tn("ld_device");return n.key=await yi(d,i),n.envAttributesVersion=n.envAttributesVersion||wi,n}},Rn=async(i,t,e)=>{if(On(i))return i;let n,r;if(we(i)&&i.kind!=="ld_application"||ai(i)&&!i.ld_application?n=await Nn(t,e):e.logger.warn("Not adding ld_application environment attributes because it already exists."),we(i)&&i.kind!=="ld_device"||ai(i)&&!i.ld_device?r=await Fn(t):e.logger.warn("Not adding ld_device environment attributes because it already exists."),n||r){let s=we(i)?$n(i):i;return g(g(g({},s),n?{ld_application:n}:{}),r?{ld_device:r}:{})}return i};function Mn(){let i,t;return{set(e,n){i=e,t=n},getContext(){return t},getUnwrappedContext(){return i},newIdentificationPromise(){let e,n;return{identifyPromise:new Promise((s,a)=>{e=s,n=a}),identifyResolve:e,identifyReject:n}},hasContext(){return t!==void 0},hasValidContext(){return this.hasContext()&&t.valid}}}var{isLegacyUser:Un,isMultiKind:Vn,isSingleKind:jn}=k,Oe=async(i,t,e)=>{let{anonymous:n,key:r}=t;if(n&&!r){let s=await In(i);t.key=await yi(s,e)}},zn=async(i,t)=>{await Oe(i.kind,i,t)},Hn=async(i,t)=>{let r=i,{kind:e}=r,n=Wt(r,["kind"]);return Promise.all(Object.entries(n).map(([s,a])=>Oe(s,a,t)))},Bn=async(i,t)=>{await Oe("user",i,t)},Kn=async(i,t)=>{let e=me(i);return jn(e)&&await zn(e,t),Vn(e)&&await Hn(e,t),Un(e)&&await Bn(e,t),e},Gn=i=>({customBaseURI:i.serviceEndpoints.polling!==gi,customStreamURI:i.serviceEndpoints.streaming!==pi,customEventsURI:i.serviceEndpoints.events!==U.DEFAULT_EVENTS,eventsCapacity:i.capacity,eventsFlushIntervalMillis:$t(i.flushInterval),reconnectTimeMillis:$t(i.streamInitialReconnectDelay),diagnosticRecordingIntervalMillis:$t(i.diagnosticRecordingInterval),allAttributesPrivate:i.allAttributesPrivate,usingSecureMode:!1,bootstrapMode:!1}),Wn=(i,t,e)=>{if(t.sendEvents&&!t.diagnosticOptOut)return new k.DiagnosticsManager(i,e,Gn(t))};function oi(i,t){return{value:t!=null?t:null,variationIndex:null,reason:{kind:"ERROR",errorKind:i}}}function ci(i,t,e){return{value:i,variationIndex:t!=null?t:null,reason:e!=null?e:null}}var _n=(i,t,e,n,r)=>{if(t.sendEvents)return new k.EventProcessor(D(g({},t),{eventsCapacity:t.capacity}),new xt(i,t,e),n,void 0,r,!1,!0)},Mt=class extends k.EventFactoryBase{evalEventClient(t,e,n,r,s,a){let{trackEvents:o,debugEventsUntilDate:c,trackReason:l,flagVersion:u,version:d,variation:f}=r;return super.evalEvent({addExperimentData:l,context:s,debugEventsUntilDate:c,defaultVal:n,flagKey:t,reason:a,trackEvents:!!o,value:e,variation:f,version:u!=null?u:d})}},X=class i{constructor(){this.container={index:new Array}}static fromJson(t){let e=new i;try{e.container=JSON.parse(t)}catch(n){}return e}toJson(){return JSON.stringify(this.container)}notice(t,e){let n=this.container.index.find(r=>r.id===t);n===void 0?this.container.index.push({id:t,timestamp:e}):n.timestamp=e}prune(t){let e=Math.max(t,0);return this.container.index.length>e?(this.container.index.sort((n,r)=>n.timestamp-r.timestamp),this.container.index.splice(0,this.container.index.length-e)):[]}},be=class{constructor(t,e,n,r,s,a,o=()=>Date.now()){this.p=t,this.Ut=e,this.Hi=n,this.N=r,this.E=s,this.t=a,this.pt=o,this.Pe=An(this.Ut)}async init(t,e){this.E.init(t,e),await this.Ie(t)}async upsert(t,e,n){return this.E.upsert(t,e,n)?(await this.Ie(t),!0):!1}async loadCached(t){var r,s,a,o;let e=await si(this.p.crypto,this.Ut,t),n=await((r=this.p.storage)==null?void 0:r.get(e));if(n==null){if(n=await((s=this.p.storage)==null?void 0:s.get(t.canonicalKey)),n==null)return!1;await((a=this.p.storage)==null?void 0:a.set(e,n)),await((o=this.p.storage)==null?void 0:o.clear(t.canonicalKey))}try{let c=JSON.parse(n),l=Object.entries(c).reduce((u,[d,f])=>(u[d]={version:f.version,flag:f},u),{});return this.E.initCached(t,l),this.t.debug("Loaded cached flag evaluations from persistent storage"),!0}catch(c){return this.t.warn(`Could not load cached flag evaluations from persistent storage: ${c.message}`),!1}}async Bi(){var e;if(this._!==void 0)return this._;let t=await((e=this.p.storage)==null?void 0:e.get(await this.Pe));if(!t)return this._=new X,this._;try{this._=X.fromJson(t),this.t.debug("Loaded context index from persistent storage")}catch(n){this.t.warn(`Could not load index from persistent storage: ${n.message}`),this._=new X}return this._}async Ie(t){var c,l;let e=await this.Bi(),n=await si(this.p.crypto,this.Ut,t);e.notice(n,this.pt());let r=e.prune(this.Hi);await Promise.all(r.map(async u=>{var d;return(d=this.p.storage)==null?void 0:d.clear(u.id)})),await((c=this.p.storage)==null?void 0:c.set(await this.Pe,e.toJson()));let s=this.N.getAll(),a=Object.entries(s).reduce((u,[d,f])=>(f.flag!==null&&f.flag!==void 0&&(u[d]=f.flag),u),{}),o=JSON.stringify(a);await((l=this.p.storage)==null?void 0:l.set(n,o))}};function Jn(){let i={};return{init(t){i=Object.entries(t).reduce((e,[n,r])=>(e[n]=r,e),{})},insertOrUpdate(t,e){i[t]=e},get(t){if(Object.prototype.hasOwnProperty.call(i,t))return i[t]},getAll(){return i}}}function qn(i,t){let e=[];return Object.entries(i).forEach(([n,r])=>{let s=t[n];(!s||!G(r,s))&&e.push(n)}),Object.keys(t).forEach(n=>{i[n]||e.push(n)}),e}function Yn(i,t){let e=i,n=t,r,s=new Array;return{handleFlagChanges(a,o){r?s.forEach(c=>{try{c(r,a,o)}catch(l){}}):n.warn("Received a change event without an active context. Changes will not be propagated.")},init(a,o){r=a;let c=e.getAll();e.init(o);let l=qn(c,o);l.length>0&&this.handleFlagChanges(l,"init")},initCached(a,o){(r==null?void 0:r.canonicalKey)!==a.canonicalKey&&this.init(a,o)},upsert(a,o,c){if((r==null?void 0:r.canonicalKey)!==a.canonicalKey)return n.warn("Received an update for an inactive context."),!1;let l=e.get(o);return l!==void 0&&l.version>=c.version?!1:(e.insertOrUpdate(o,c),this.handleFlagChanges([o],"patch"),!0)},on(a){s.push(a)},off(a){let o=s.indexOf(a);o>-1&&s.splice(o,1)}}}var ke=class{constructor(t,e,n,r,s=()=>Date.now()){this.N=Jn(),this.E=Yn(this.N,r),this.Vt=this.Ki(t,e,n,r,s)}async Ki(t,e,n,r,s=()=>Date.now()){let a=await Pn(t.crypto,e);return new be(t,a,n,this.N,this.E,r,s)}get(t){return this.a&&Object.prototype.hasOwnProperty.call(this.a,t)?this.jt(this.a[t]):this.N.get(t)}getAll(){return this.a?g(g({},this.N.getAll()),Object.entries(this.a).reduce((t,[e,n])=>(t[e]=this.jt(n),t),{})):this.N.getAll()}presetFlags(t){this.N.init(t)}setBootstrap(t,e){this.E.init(t,e)}async init(t,e){return(await this.Vt).init(t,e)}async upsert(t,e,n){return(await this.Vt).upsert(t,e,n)}async loadCached(t){return(await this.Vt).loadCached(t)}on(t){this.E.on(t)}off(t){this.E.off(t)}jt(t){return{flag:{value:t,version:0},version:0}}setOverride(t,e){this.a||(this.a={}),this.a[t]=e,this.E.handleFlagChanges([t],"override")}removeOverride(t){!this.a||!Object.prototype.hasOwnProperty.call(this.a,t)||(delete this.a[t],Object.keys(this.a).length===0&&(this.a=void 0),this.E.handleFlagChanges([t],"override"))}clearAllOverrides(){if(this.a){let t=g({},this.a);this.a=void 0,this.E.handleFlagChanges(Object.keys(t),"override")}}getAllOverrides(){if(!this.a)return{};let t={};return Object.entries(this.a).forEach(([e,n])=>{t[e]=this.jt(n)}),t}getDebugOverride(){return{setOverride:this.setOverride.bind(this),removeOverride:this.removeOverride.bind(this),clearAllOverrides:this.clearAllOverrides.bind(this),getAllOverrides:this.getAllOverrides.bind(this)}}},li="unknown hook",Ei="beforeEvaluation",Di="afterEvaluation",Zn="afterTrack";function tt(i,t,e,n,r){try{return n()}catch(s){return i==null||i.error(`An error was encountered in "${t}" of the "${e}" hook: ${s}`),r}}function et(i,t){try{return t.getMetadata().name||li}catch(e){return i.error("Exception thrown getting metadata for hook. Unable to get hook name."),li}}function Xn(i,t,e){return t.map(n=>tt(i,Ei,et(i,n),()=>{var r,s;return(s=(r=n==null?void 0:n.beforeEvaluation)==null?void 0:r.call(n,e,{}))!=null?s:{}},{}))}function Qn(i,t,e,n,r){for(let s=t.length-1;s>=0;s-=1){let a=t[s],o=n[s];tt(i,Di,et(i,a),()=>{var c,l;return(l=(c=a==null?void 0:a.afterEvaluation)==null?void 0:c.call(a,e,o,r))!=null?l:{}},{})}}function tr(i,t,e){return t.map(n=>tt(i,Ei,et(i,n),()=>{var r,s;return(s=(r=n==null?void 0:n.beforeIdentify)==null?void 0:r.call(n,e,{}))!=null?s:{}},{}))}function er(i,t,e,n,r){for(let s=t.length-1;s>=0;s-=1){let a=t[s],o=n[s];tt(i,Di,et(i,a),()=>{var c,l;return(l=(c=a==null?void 0:a.afterIdentify)==null?void 0:c.call(a,e,o,r))!=null?l:{}},{})}}function ir(i,t,e){for(let n=t.length-1;n>=0;n-=1){let r=t[n];tt(i,Zn,et(i,r),()=>{var s;return(s=r==null?void 0:r.afterTrack)==null?void 0:s.call(r,e)},void 0)}}var xe=class{constructor(t,e){this.t=t,this.V=[],this.V.push(...e)}withEvaluation(t,e,n,r){if(this.V.length===0)return r();let s=[...this.V],a={flagKey:t,context:e,defaultValue:n},o=Xn(this.t,s,a),c=r();return Qn(this.t,s,a,o,c),c}identify(t,e){let n=[...this.V],r={context:t,timeout:e},s=tr(this.t,n,r);return a=>{er(this.t,n,r,s,a)}}addHook(t){this.V.push(t)}afterTrack(t){if(this.V.length===0)return;let e=[...this.V];ir(this.t,e,t)}};function nr(i){return{getMetadata(){return{name:"LaunchDarkly-Inspector-Adapter"}},afterEvaluation:(t,e,n)=>(i.onFlagUsed(t.flagKey,n,t.context),e),afterIdentify(t,e,n){return i.onIdentityChanged(t.context),e}}}function rr(i,t){return`an inspector: "${t}" of an invalid type (${i}) was configured`}function sr(i,t){return`an inspector: "${t}" of type: "${i}" generated an exception`}function ar(i,t){let e=!1,n={method:(...r)=>{try{i.method(...r)}catch(s){e||(e=!0,t.warn(sr(n.type,n.name)))}},type:i.type,name:i.name,synchronous:i.synchronous};return n}var bi="flag-used",ki="flag-details-changed",xi="flag-detail-changed",Li="client-identity-changed",or=[bi,ki,xi,Li];function cr(i,t){let e=or.includes(i.type)&&i.method&&typeof i.method=="function";return e||t.warn(rr(i.type,i.name)),e}var Le=class{constructor(t,e){this.J=[];let n=t.filter(r=>cr(r,e));this.J=n.map(r=>ar(r,e))}hasInspectors(){return this.J.length!==0}onFlagUsed(t,e,n){this.J.forEach(r=>{r.type===bi&&r.method(t,e,n)})}onFlagsChanged(t){this.J.forEach(e=>{e.type===ki&&e.method(t)})}onFlagChanged(t,e){this.J.forEach(n=>{n.type===xi&&n.method(t,e)})}onIdentityChanged(t){this.J.forEach(e=>{e.type===Li&&e.method(t)})}},Se=class{constructor(t){this.t=t,this.e=new Map}on(t,e){var n;this.e.has(t)?(n=this.e.get(t))==null||n.push(e):this.e.set(t,[e])}off(t,e){let n=this.e.get(t);if(n){if(e){let r=n.filter(s=>s!==e);r.length===0?this.e.delete(t):this.e.set(t,r);return}this.e.delete(t)}}zt(t,e,...n){var r;try{t(...n)}catch(s){(r=this.t)==null||r.error(`Encountered error invoking handler for "${e}", detail: "${s}"`)}}emit(t,...e){let n=this.e.get(t);n==null||n.forEach(r=>this.zt(r,t,...e))}eventNames(){return[...this.e.keys()]}listenerCount(t){var e,n;return(n=(e=this.e.get(t))==null?void 0:e.length)!=null?n:0}};function lr(i,t,e){let n=t.info.sdkData(),r;e.applicationInfo&&(e.applicationInfo.id&&(r=r!=null?r:{},r.id=e.applicationInfo.id),e.applicationInfo.version&&(r=r!=null?r:{},r.version=e.applicationInfo.version),e.applicationInfo.name&&(r=r!=null?r:{},r.name=e.applicationInfo.name),e.applicationInfo.versionName&&(r=r!=null?r:{},r.versionName=e.applicationInfo.versionName));let s={name:n.userAgentBase,version:n.version};n.wrapperName&&(s.wrapperName=n.wrapperName),n.wrapperVersion&&(s.wrapperVersion=n.wrapperVersion);let a={sdk:s,[e.credentialType]:i};return r&&(a.application=r),a}var{ClientMessages:ui,ErrorKinds:hi}=k,ur=5,Ut=class{constructor(t,e,n,r,s,a){if(this.sdkKey=t,this.autoEnvAttributes=e,this.platform=n,this.l=Mn(),this.Ht=15,this.F=new Mt(!1),this.mt=new Mt(!0),this.Bt=!1,this.Gi=xn(),!t)throw new Error("You must configure the client with a client-side SDK key");if(!n.encoding)throw new Error("Platform must implement Encoding because btoa is required.");this.r=new De(r,a),this.logger=this.r.logger,this.Te=ni(this.sdkKey,this.platform.info,this.r.tags,this.r.serviceEndpoints.includeAuthorizationHeader,this.r.userAgentHeaderName),this.D=new ke(this.platform,t,this.r.maxCachedContexts,this.r.logger),this.C=Wn(t,this.r,n),this.b=_n(t,this.r,n,this.Te,this.C),this.emitter=new Se,this.emitter.on("error",(c,l)=>{this.logger.error(`error: ${l}, context: ${JSON.stringify(c)}`)}),this.D.on((c,l,u)=>{this.Wi(l,u);let d=S.toLDContext(c);this.emitter.emit("change",d,l),l.forEach(f=>{this.emitter.emit(`change:${f}`,d)})}),this.dataManager=s(this.D,this.r,this.Te,this.emitter,this.C);let o=[...this.r.hooks];if(this.environmentMetadata=lr(this.sdkKey,this.platform,this.r),this.r.getImplementationHooks(this.environmentMetadata).forEach(c=>{o.push(c)}),this.z=new xe(this.logger,o),this.et=new Le(this.r.inspectors,this.logger),this.et.hasInspectors()&&this.z.addHook(nr(this.et)),r.cleanOldPersistentData&&(a!=null&&a.getLegacyStorageKeys)&&this.platform.storage)try{this.logger.debug("Cleaning old persistent data."),Promise.all(a.getLegacyStorageKeys().map(c=>{var l;return(l=this.platform.storage)==null?void 0:l.clear(c)})).catch(c=>{this.logger.error(`Error cleaning old persistent data: ${c}`)}).finally(()=>{this.logger.debug("Cleaned old persistent data.")})}catch(c){this.logger.error(`Error cleaning old persistent data: ${c}`)}}allFlags(){return Object.entries(this.D.getAll()).reduce((e,[n,r])=>(r.flag!==null&&r.flag!==void 0&&!r.flag.deleted&&(e[n]=r.flag.value),e),{})}async close(){var t;await this.flush(),(t=this.b)==null||t.close(),this.dataManager.close(),this.logger.debug("Closed event processor and data source.")}async flush(){var t;try{await((t=this.b)==null?void 0:t.flush()),this.logger.debug("Successfully flushed event processor.")}catch(e){return this.logger.error(`Error flushing event processor: ${e}.`),{error:e,result:!1}}return{result:!0}}getContext(){return this.l.hasContext()?me(this.l.getUnwrappedContext()):void 0}getInternalContext(){return this.l.getContext()}presetFlags(t){this.D.presetFlags(t)}async identify(t,e){let n=await this.identifyResult(t,e);if(n.status==="error")throw n.error;if(n.status==="timeout"){let r=new I(`identify timed out after ${n.timeout} seconds.`);throw this.logger.error(r.message),r}}async identifyResult(t,e){var o,c;let n=(o=e==null?void 0:e.timeout)!=null?o:ur,r=(e==null?void 0:e.timeout)===void 0&&(e==null?void 0:e.noTimeout)===!0;n>this.Ht&&this.logger.warn(`The identify function was called with a timeout greater than ${this.Ht} seconds. We recommend a timeout of less than ${this.Ht} seconds.`);let s=this.Gi.execute({before:async()=>{let l=await Kn(t,this.platform);this.autoEnvAttributes===z.Enabled&&(l=await Rn(l,this.platform,this.r));let u=S.fromLDContext(l);if(u.valid){let d=this.z.identify(l,e==null?void 0:e.timeout);return{context:l,checkedContext:u,afterIdentify:d}}return{context:l,checkedContext:u}},execute:async l=>{var y;let{context:u,checkedContext:d}=l;if(!d.valid){let x=new Error("Context was unspecified or had no key");return this.emitter.emit("error",u,x),Promise.reject(x)}this.l.set(u,d),(y=this.b)==null||y.sendEvent(this.F.identifyEvent(d));let{identifyPromise:f,identifyResolve:m,identifyReject:p}=this.l.newIdentificationPromise();return this.logger.debug(`Identifying ${JSON.stringify(d)}`),await this.dataManager.identify(m,p,d,e),f},after:async(l,u)=>{var d,f,m;l.status==="complete"?(d=u==null?void 0:u.afterIdentify)==null||d.call(u,{status:"completed"}):l.status==="shed"?(f=u==null?void 0:u.afterIdentify)==null||f.call(u,{status:"shed"}):l.status==="error"&&((m=u==null?void 0:u.afterIdentify)==null||m.call(u,{status:"error"}))}},(c=e==null?void 0:e.sheddable)!=null?c:!1).then(l=>{if(l.status==="error"){let d={status:"error",error:l.error};return this.maybeSetInitializationResult({status:"failed",error:l.error}),d}if(l.status==="shed")return{status:"shed"};let u={status:"completed"};return this.maybeSetInitializationResult({status:"complete"}),u});if(r)return s;let a=new Promise(l=>{setTimeout(()=>{l({status:"timeout",timeout:n})},n*1e3)});return Promise.race([s,a])}maybeSetInitializationResult(t){this.initializeResult===void 0&&(this.initializeResult=t,this.emitter.emit("ready"),t.status==="complete"&&this.emitter.emit("initialized"),this.initResolve&&(this.initResolve(t),this.initResolve=void 0))}waitForInitialization(t){var n;let e=(n=t==null?void 0:t.timeout)!=null?n:5;return this.initializeResult?Promise.resolve(this.initializeResult):this.initializedPromise?this.promiseWithTimeout(this.initializedPromise,e):(this.initializedPromise||(this.initializedPromise=new Promise(r=>{this.initResolve=r})),this.promiseWithTimeout(this.initializedPromise,e))}promiseWithTimeout(t,e){let n=Ot(e,"waitForInitialization");return Promise.race([t.then(r=>(n.cancel(),r)),n.promise.then(()=>({status:"complete"})).catch(()=>({status:"timeout"}))]).catch(r=>{var s;return(s=this.logger)==null||s.error(r.message),{status:"failed",error:r}})}on(t,e){this.emitter.on(t,e)}off(t,e){this.emitter.off(t,e)}track(t,e,n){var r,s;if(!this.l.hasValidContext()){this.logger.warn(ui.MissingContextKeyNoEvent);return}n!==void 0&&!h.Number.is(n)&&((r=this.logger)==null||r.warn(ui.invalidMetricValue(typeof n))),(s=this.b)==null||s.sendEvent(this.r.trackEventModifier(this.F.customEvent(t,this.l.getContext(),e,n))),this.z.afterTrack({key:t,context:this.l.getUnwrappedContext(),data:e,metricValue:n})}yt(t,e,n,r){var m,p,y,x;let s=this.l.hasContext();s||(m=this.logger)==null||m.warn("Flag evaluation called before client is fully initialized, data from this evaulation could be stale.");let a=this.l.getContext(),o=this.D.get(t);if(o===void 0||o.flag.deleted){let L=e!=null?e:null,K=new q(`Unknown feature flag "${t}"; returning default value ${L}.`);return this.emitter.emit("error",this.l.getUnwrappedContext(),K),s&&((p=this.b)==null||p.sendEvent(this.F.unknownFlagEvent(t,L,a))),oi(hi.FlagNotFound,e)}let{reason:c,value:l,variation:u,prerequisites:d}=o.flag;if(r){let[L,K]=r(l);if(!L){s&&((y=this.b)==null||y.sendEvent(n.evalEventClient(t,e,e,o.flag,a,c)));let P=new q(`Wrong type "${K}" for feature flag "${t}"; returning default value`);return this.emitter.emit("error",this.l.getUnwrappedContext(),P),oi(hi.WrongType,e)}}let f=ci(l,u,c);return l==null&&(this.logger.debug("Result value is null. Providing default value."),f.value=e),d==null||d.forEach(L=>{this.yt(L,void 0,this.F)}),s&&((x=this.b)==null||x.sendEvent(n.evalEventClient(t,l,e,o.flag,a,c))),f}variation(t,e){let{value:n}=this.z.withEvaluation(t,this.l.getUnwrappedContext(),e,()=>this.yt(t,e,this.F));return n}variationDetail(t,e){return this.z.withEvaluation(t,this.l.getUnwrappedContext(),e,()=>this.yt(t,e,this.mt))}q(t,e,n,r){return this.z.withEvaluation(t,this.l.getUnwrappedContext(),e,()=>this.yt(t,e,n,r))}boolVariation(t,e){return this.q(t,e,this.F,n=>[h.Boolean.is(n),h.Boolean.getType()]).value}jsonVariation(t,e){return this.variation(t,e)}numberVariation(t,e){return this.q(t,e,this.F,n=>[h.Number.is(n),h.Number.getType()]).value}stringVariation(t,e){return this.q(t,e,this.F,n=>[h.String.is(n),h.String.getType()]).value}boolVariationDetail(t,e){return this.q(t,e,this.mt,n=>[h.Boolean.is(n),h.Boolean.getType()])}numberVariationDetail(t,e){return this.q(t,e,this.mt,n=>[h.Number.is(n),h.Number.getType()])}stringVariationDetail(t,e){return this.q(t,e,this.mt,n=>[h.String.is(n),h.String.getType()])}jsonVariationDetail(t,e){return this.variationDetail(t,e)}addHook(t){this.z.addHook(t)}setEventSendingEnabled(t,e){var n,r,s,a;this.Bt!==t&&(this.Bt=t,t?(this.logger.debug("Starting event processor"),(n=this.b)==null||n.start()):e?((r=this.logger)==null||r.debug("Flushing event processor before disabling."),this.flush().then(()=>{var o,c;this.Bt||((o=this.logger)==null||o.debug("Stopping event processor."),(c=this.b)==null||c.close())})):((s=this.logger)==null||s.debug("Stopping event processor."),(a=this.b)==null||a.close()))}sendEvent(t){var e;(e=this.b)==null||e.sendEvent(t)}getDebugOverrides(){var t,e;return(e=(t=this.D).getDebugOverride)==null?void 0:e.call(t)}Wi(t,e){if(!this.et.hasInspectors())return;let n={};t.forEach(r=>{let s=this.D.get(r);if(s!=null&&s.flag&&!s.flag.deleted){let{reason:a,value:o,variation:c}=s.flag;n[r]=ci(o,c,a)}else n[r]={value:void 0,reason:null,variationIndex:null}}),e==="init"?this.et.onFlagsChanged(n):e==="patch"&&Object.entries(n).forEach(([r,s])=>{this.et.onFlagChanged(r,s)})}};function Si(i,t,e){e.forEach(n=>{var r;try{(r=n.registerDebug)==null||r.call(n,t)}catch(s){i.error(`Exception thrown registering plugin ${k.safeGetName(i,n)}.`)}})}var Ce=class{constructor(t,e,n){this.D=t,this.Kt=e,this.t=n}async handlePut(t,e){this.t.debug(`Got PUT: ${Object.keys(e)}`);let n=Object.entries(e).reduce((r,[s,a])=>(r[s]={version:a.version,flag:a},r),{});await this.D.init(t,n),this.Kt.requestStateUpdate(E.Valid)}async handlePatch(t,e){this.t.debug(`Got PATCH ${JSON.stringify(e,null,2)}`),this.D.upsert(t,e.key,{version:e.version,flag:e})}async handleDelete(t,e){this.t.debug(`Got DELETE ${JSON.stringify(e,null,2)}`),this.D.upsert(t,e.key,{version:e.version,flag:D(g({},e),{deleted:!0,flagVersion:0,value:void 0,variation:0,trackEvents:!1})})}handleStreamingError(t){this.Kt.reportError(t.kind,t.message,t.code,t.recoverable)}handlePollingError(t){this.Kt.reportError(t.kind,t.message,t.status,t.recoverable)}},Pe=class{constructor(t,e=()=>Date.now()){this.R=t,this.vt=E.Closed,this.Ae=e(),this.pt=e}get status(){return{state:this.vt,stateSince:this.Ae,lastError:this._i}}Oe(t,e=!1){let n=t===E.Interrupted&&this.vt===E.Initializing?E.Initializing:t,r=this.vt!==n;r&&(this.vt=n,this.Ae=this.pt()),(r||e)&&this.R.emit("dataSourceStatus",this.status)}requestStateUpdate(t){this.Oe(t)}reportError(t,e,n,r=!1){let s={kind:t,message:e,statusCode:n,time:this.pt()};this._i=s,this.Oe(r?E.Interrupted:E.Closed,!0)}};function di(i){i==null||i.debug("Poll completed after the processor was closed. Skipping processing.")}var Ie=class{constructor(t,e,n,r,s){this.Ji=t,this.qi=e,this.Yi=n,this.y=r,this.t=s,this.h=!1}async $e(){var s,a,o,c,l,u,d;if(this.h)return;let t=f=>{var m,p,y;(m=this.t)==null||m.error("Polling received invalid data"),(p=this.t)==null||p.debug(`Invalid JSON follows: ${f}`),(y=this.y)==null||y.call(this,new R(w.InvalidData,"Malformed JSON data in polling response"))};(s=this.t)==null||s.debug("Polling LaunchDarkly for feature flag updates");let e=Date.now();try{let f=await this.Ji.requestPayload();try{if(this.h){di(this.t);return}let m=JSON.parse(f);try{(a=this.Yi)==null||a.call(this,m)}catch(p){(o=this.t)==null||o.error(`Exception from data handler: ${p}`)}}catch(m){t(f)}}catch(f){if(this.h){di(this.t);return}let m=f;if(m.status!==void 0&&!Z(m.status)){(c=this.t)==null||c.error($(f,"polling request")),(l=this.y)==null||l.call(this,new R(w.ErrorResponse,m.message,m.status));return}(u=this.t)==null||u.error($(f,"polling request","will retry"))}let n=Date.now()-e,r=Math.max(this.qi*1e3-n,0);(d=this.t)==null||d.debug("Elapsed: %d ms, sleeping for %d ms",n,r),this.Gt=setTimeout(()=>{this.$e()},r)}start(){this.$e()}stop(){this.Gt&&(clearTimeout(this.Gt),this.Gt=void 0),this.h=!0}close(){this.stop()}},hr=(i,t,e,n)=>{e==null||e.error(`Stream received invalid data in "${i}" message`),e==null||e.debug(`Invalid JSON follows: ${t}`),n==null||n(new j(w.InvalidData,"Malformed JSON data in event stream"))};function dr(i,t){t==null||t.debug(`Received ${i} event after processor was closed. Skipping processing.`)}function fi(i){i==null||i.debug("Ping completed after processor was closed. Skipping processing.")}var Te=class{constructor(t,e,n,r,s,a,o,c,l){var f;this.Zi=t,this.Wt=e,this.e=n,this.$=r,this.Xi=a,this.C=o,this.y=c,this.t=l,this.h=!1;let u;e.useReport&&!r.getEventSourceCapabilities().customMethod?u=e.paths.pathPing(s,t):u=e.useReport?e.paths.pathReport(s,t):e.paths.pathGet(s,t);let d=[...(f=e.queryParameters)!=null?f:[]];this.Wt.withReasons&&d.push({key:"withReasons",value:"true"}),this.$=r,this.gt=g({},e.baseHeaders),this.t=l,this.Qi=ei(e.serviceEndpoints,u,d)}Ne(){this.wt=Date.now()}_t(t){this.wt&&this.C&&this.C.recordStreamInit(this.wt,!t,Date.now()-this.wt),this.wt=void 0}tn(t){var e,n,r;return Ft(t)?((r=this.t)==null||r.warn($(t,"streaming request","will retry")),this._t(!1),this.Ne(),!0):(this._t(!1),(e=this.y)==null||e.call(this,new j(w.ErrorResponse,t.message,t.status,!1)),(n=this.t)==null||n.error($(t,"streaming request")),!1)}start(){this.Ne();let t;this.Wt.useReport?(this.gt["content-type"]="application/json",t={method:"REPORT",body:this.Zi}):t={};let e=this.$.createEventSource(this.Qi,D(g({headers:this.gt},t),{errorFilter:n=>this.tn(n),initialRetryDelayMillis:this.Wt.initialRetryDelayMillis,readTimeoutMillis:300*1e3,retryResetIntervalMillis:60*1e3}));this.Fe=e,e.onclose=()=>{var n;(n=this.t)==null||n.info("Closed LaunchDarkly stream connection")},e.onerror=()=>{},e.onopen=()=>{var n;(n=this.t)==null||n.info("Opened LaunchDarkly stream connection")},e.onretrying=n=>{var r;(r=this.t)==null||r.info(`Will retry stream connection in ${n.delayMillis} milliseconds`)},this.e.forEach(({deserializeData:n,processJson:r},s)=>{e.addEventListener(s,a=>{var o,c;if(this.h){dr(s,this.t);return}if((o=this.t)==null||o.debug(`Received ${s} event`),a!=null&&a.data){this._t(!0);let{data:l}=a,u=n(l);if(!u){hr(s,l,this.t,this.y);return}r(u)}else(c=this.y)==null||c.call(this,new j(w.InvalidData,"Unexpected payload from event stream"))})}),e.addEventListener("ping",async()=>{var n,r,s,a,o,c,l;(n=this.t)==null||n.debug("Got PING, going to poll LaunchDarkly for feature flag updates");try{let u=await this.Xi.requestPayload();try{if(this.h){fi(this.t);return}let d=JSON.parse(u);try{(r=this.e.get("put"))==null||r.processJson(d)}catch(f){(s=this.t)==null||s.error(`Exception from data handler: ${f}`)}}catch(d){(a=this.t)==null||a.error("Polling after ping received invalid data"),(o=this.t)==null||o.debug(`Invalid JSON follows: ${u}`),(c=this.y)==null||c.call(this,new R(w.InvalidData,"Malformed JSON data in ping polling response"))}}catch(u){if(this.h){fi(this.t);return}let d=u;(l=this.y)==null||l.call(this,new R(w.ErrorResponse,d.message,d.status))}})}stop(){var t;(t=this.Fe)==null||t.close(),this.Fe=void 0,this.h=!0}close(){this.stop()}},Vt=class{constructor(t,e,n,r,s,a,o,c,l){this.platform=t,this.flagManager=e,this.credential=n,this.config=r,this.getPollingPaths=s,this.getStreamingPaths=a,this.baseHeaders=o,this.emitter=c,this.diagnosticsManager=l,this.closed=!1,this.logger=r.logger,this.dataSourceStatusManager=new Pe(c),this.Y=new Ce(e,this.dataSourceStatusManager,this.config.logger)}setConnectionParams(t){this.en=t}createPollingProcessor(t,e,n,r,s){let a=new Ie(n,this.config.pollInterval,async o=>{await this.Y.handlePut(e,o),r==null||r()},o=>{this.emitter.emit("error",t,o),this.Y.handlePollingError(o),s==null||s(o)},this.logger);this.updateProcessor=this.Re(a,this.dataSourceStatusManager)}createStreamingProcessor(t,e,n,r,s){var o;let a=new Te(JSON.stringify(t),{credential:this.credential,serviceEndpoints:this.config.serviceEndpoints,paths:this.getStreamingPaths(),baseHeaders:this.baseHeaders,initialRetryDelayMillis:this.config.streamInitialReconnectDelay*1e3,withReasons:this.config.withReasons,useReport:this.config.useReport,queryParameters:(o=this.en)==null?void 0:o.queryParameters},this.createStreamListeners(e,r),this.platform.requests,this.platform.encoding,n,this.diagnosticsManager,c=>{this.emitter.emit("error",t,c),this.Y.handleStreamingError(c),s==null||s(c)},this.logger);this.updateProcessor=this.Re(a,this.dataSourceStatusManager)}createStreamListeners(t,e){let n=new Map;return n.set("put",{deserializeData:JSON.parse,processJson:async r=>{await this.Y.handlePut(t,r),e==null||e()}}),n.set("patch",{deserializeData:JSON.parse,processJson:async r=>{this.Y.handlePatch(t,r)}}),n.set("delete",{deserializeData:JSON.parse,processJson:async r=>{this.Y.handleDelete(t,r)}}),n}Re(t,e){return{start:()=>{e.requestStateUpdate(E.Initializing),t.start()},stop:()=>{t.stop(),e.requestStateUpdate(E.Closed)},close:()=>{t.close(),e.requestStateUpdate(E.Closed)}}}close(){var t;(t=this.updateProcessor)==null||t.close(),this.closed=!0}};function jt(i,t){let e=Object.keys(t),n="$flagsState",r="$valid",s=t[n];!s&&e.length&&i.warn("LaunchDarkly client was initialized with bootstrap data that did not include flag metadata. Events may not be sent correctly."),t[r]===!1&&i.warn("LaunchDarkly bootstrap data is not available because the back end could not read the flags.");let a={};return e.forEach(o=>{if(o!==n&&o!==r){let c;s&&s[o]?c=g({value:t[o]},s[o]):c={value:t[o],version:0},a[o]={version:c.version,flag:c}}}),a}function zt(){return typeof document!==void 0}function $e(){return typeof window!==void 0}function Ht(i,t,e){return zt()?(document.addEventListener(i,t,e),()=>{document.removeEventListener(i,t,e)}):()=>{}}function Bt(i,t,e){return zt()?(window.addEventListener(i,t,e),()=>{window.removeEventListener(i,t,e)}):()=>{}}function T(){return $e()?window.location.href:""}function Ci(){return $e()?window.location.search:""}function Pi(){return $e()?window.location.hash:""}function Ii(){if(typeof crypto!==void 0)return crypto;throw Error("Access to a web crypto API is required")}function Ti(){return zt()?document.visibilityState:"visibile"}function Ai(i){if(zt())return document.querySelectorAll(i)}var fr="[BrowserDataManager]",it=class extends Vt{constructor(e,n,r,s,a,o,c,l,u,d){super(e,n,r,s,o,c,l,u,d);this.yn=a;this.it=void 0;this.Jt=!1;this.it=a.streaming}P(e,...n){this.logger.debug(`${fr} ${e}`,...n)}async identify(e,n,r,s){if(this.closed){this.P("Identify called after data manager was closed.");return}this.context=r;let a=s;a!=null&&a.hash?this.setConnectionParams({queryParameters:[{key:"h",value:a.hash}]}):this.setConnectionParams(),this.qt=a==null?void 0:a.hash,a!=null&&a.bootstrap?this.nn(r,a.bootstrap,e):(await this.flagManager.loadCached(r)&&this.P("Identify - Flags loaded from cache. Continuing to initialize via a poll."),await this.rn(r,e,n)),this.Yt()}async sn(e){let n=JSON.stringify(S.toLDContext(e)),r=Ae(n,this.config.serviceEndpoints,this.getPollingPaths(),this.platform.requests,this.platform.encoding,this.baseHeaders,[],this.config.withReasons,this.config.useReport,this.qt),s=3,a;for(let o=0;o<=s;o+=1)try{return await r.requestPayload()}catch(c){if(!Ft(c))throw c;a=c,o<s&&(this.P($(c,"initial poll request","will retry")),await ve(1e3))}throw a}async rn(e,n,r){var s,a;try{this.dataSourceStatusManager.requestStateUpdate(E.Initializing);let o=await this.sn(e);try{let l=this.createStreamListeners(e,n).get("put");l.processJson(l.deserializeData(o))}catch(c){this.dataSourceStatusManager.reportError(w.InvalidData,(s=c.message)!=null?s:"Could not parse poll response")}}catch(o){this.dataSourceStatusManager.reportError(w.NetworkError,(a=o.message)!=null?a:"unexpected network error",o.status),r(o)}}nn(e,n,r){this.flagManager.setBootstrap(e,jt(this.logger,n)),this.P("Identify - Initialization completed from bootstrap"),r()}setForcedStreaming(e){this.it=e,this.Yt()}setAutomaticStreamingState(e){this.Jt=e,this.Yt()}Yt(){let e=this.it||this.Jt&&this.it===void 0;this.P(`Updating streaming state. forced(${this.it}) automatic(${this.Jt})`),e?this.an():this.cn()}cn(){var e;this.updateProcessor&&this.P("Stopping update processor."),(e=this.updateProcessor)==null||e.close(),this.updateProcessor=void 0}an(){if(this.updateProcessor){this.P("Update processor already active. Not changing state.");return}if(!this.context){this.P("Context not set, not starting update processor.");return}this.P("Starting update processor."),this.ln(this.context)}ln(e,n,r){var c;let s=S.toLDContext(e);(c=this.updateProcessor)==null||c.close();let a=JSON.stringify(S.toLDContext(e)),o=Ae(a,this.config.serviceEndpoints,this.getPollingPaths(),this.platform.requests,this.platform.encoding,this.baseHeaders,[],this.config.withReasons,this.config.useReport,this.qt);this.createStreamingProcessor(s,e,o,n,r),this.updateProcessor.start()}};function Oi(i){let e=Ht("visibilitychange",()=>{Ti()==="hidden"&&i()}),n=Bt("pagehide",i);return()=>{e(),n()}}function nt(i){if(typeof i!="string")throw new TypeError("Expected a string");return i.replace(/[|\\{}()[\]^$+*?.]/g,"\\$&").replace(/-/g,"\\x2d")}function gr(i,t,e,n){let s=((i.kind==="substring"||i.kind==="regex")&&n.includes("/")?t:t.replace(n,"")).replace(e,"");switch(i.kind){case"exact":return new RegExp(`^${nt(i.url)}/?$`).test(t);case"canonical":return new RegExp(`^${nt(i.url)}/?$`).test(s);case"substring":return new RegExp(`.*${nt(i.substring)}.*$`).test(s);case"regex":return new RegExp(i.pattern).test(s);default:return!1}}function pr(i,t){let e=[];return t.forEach(n=>{let r=i.target,{selector:s}=n,a=Ai(s);for(;r&&(a!=null&&a.length);){for(let o=0;o<a.length;o+=1)if(r===a[o]){e.push(n);break}r=r.parentNode}}),e}var rt=class{constructor(t,e){let n=t.filter(a=>{var o;return(o=a.urls)==null?void 0:o.some(c=>gr(c,T(),Ci(),Pi()))}),r=n.filter(a=>a.kind==="pageview"),s=n.filter(a=>a.kind==="click");if(r.forEach(a=>e(a)),s.length){let a=o=>{pr(o,s).forEach(c=>{e(c)})};this.Me=Ht("click",a)}}close(){var t;(t=this.Me)==null||t.call(this)}};var mr=300,Kt=class{constructor(t){this.Zt=T();let e=()=>{let r=T();r!==this.Zt&&(this.Zt=r,t())};this.Xt=setInterval(e,mr);let n=Bt("popstate",e);this.Ue=()=>{n()}}close(){var t;this.Xt&&clearInterval(this.Xt),(t=this.Ue)==null||t.call(this)}};var st=class{constructor(t,e,n,r,s,a=o=>new Kt(o)){this.$=e;this.dn=r;this.hn=s;this.Et=[];this.je=!1;this.Dt=`${n}/sdk/goals/${t}`,this.Ve=a(()=>{this.te()})}async initialize(){await this.un(),this.te()}startTracking(){this.je=!0,this.te()}te(){var t;this.je&&((t=this.Qt)==null||t.close(),this.Et&&this.Et.length&&(this.Qt=new rt(this.Et,e=>{this.hn(T(),e)})))}async un(){try{let t=await this.$.fetch(this.Dt);this.Et=await t.json()}catch(t){this.dn(new J(`Encountered error fetching goals: ${t}`))}}close(){var t,e;(t=this.Ve)==null||t.close(),(e=this.Qt)==null||e.close()}};function $i(i){return i.kind==="click"}var yr=2,Ni={fetchGoals:!0,eventUrlTransformer:i=>i,streaming:void 0,plugins:[]},vr={fetchGoals:h.Boolean,eventUrlTransformer:h.Function,streaming:h.Boolean,plugins:h.createTypeArray("LDPlugin",{})};function wr(i){var e;let t=g({},i);return(e=t.flushInterval)!=null||(t.flushInterval=yr),t}function Fi(i){let t=wr(i);return Object.keys(Ni).forEach(e=>{delete t[e]}),t}function Ne(i,t){let e=g({},Ni);return Object.entries(vr).forEach(n=>{let[r,s]=n,a=i[r];a!==void 0&&(s.is(a)?e[r]=a:t.warn(b.wrongOptionType(r,s.getType(),typeof a)))}),e}var at=class{constructor(t,e){this.fn=t;this.ze=[];switch(e){case"sha1":this.ee="SHA-1";break;case"sha256":this.ee="SHA-256";break;default:throw new Error(`Algorithm is not supported ${e}`)}}async asyncDigest(t){let e=this.ze.join(""),n=new TextEncoder().encode(e),r=await this.fn.subtle.digest(this.ee,n);switch(t){case"base64":return btoa(String.fromCharCode(...new Uint8Array(r)));case"hex":return[...new Uint8Array(r)].map(s=>s.toString(16).padStart(2,"0")).join("");default:throw new Error(`Encoding is not supported ${t}`)}}update(t){return this.ze.push(t),this}};var Er={start:0,end:3},Dr={start:4,end:5},Fe={start:6,end:7},Re={start:8,end:8},br={start:9,end:9},kr={start:10,end:15};function xr(){if(crypto&&crypto.getRandomValues){let t=new Uint8Array(16);return crypto.getRandomValues(t),[...t.values()]}let i=[];for(let t=0;t<16;t+=1)i.push(Math.floor(Math.random()*256));return i}function B(i,t){let e="";for(let n=t.start;n<=t.end;n+=1)e+=i[n].toString(16).padStart(2,"0");return e}function Lr(i){return i[Re.start]=(i[Re.start]|128)&191,i[Fe.start]=i[Fe.start]&15|64,`${B(i,Er)}-${B(i,Dr)}-${B(i,Fe)}-${B(i,Re)}${B(i,br)}-${B(i,kr)}`}function Sr(){let i=xr();return Lr(i)}function Me(){return typeof crypto!==void 0&&typeof crypto.randomUUID=="function"?crypto.randomUUID():Sr()}var ot=class{createHash(t){return new at(Ii(),t)}randomUUID(){return Me()}};function Cr(i){let t=Array.from(i,e=>String.fromCodePoint(e)).join("");return btoa(t)}var ct=class{btoa(t){return Cr(new TextEncoder().encode(t))}};var lt=class{constructor(t){this.r=t}platformData(){return{name:"JS"}}sdkData(){let t={name:"@launchdarkly/js-client-sdk",version:"0.12.0",userAgentBase:"JSClient"};return this.r.wrapperName&&(t.wrapperName=this.r.wrapperName),this.r.wrapperVersion&&(t.wrapperVersion=this.r.wrapperVersion),t}};var ut=class{constructor(t,e){this.Dt=t;this.e={};this.T=new bt(e.initialRetryDelayMillis,e.retryResetIntervalMillis),this.He=e.errorFilter,this.Be()}Be(){this.Z=new EventSource(this.Dt),this.Z.onopen=()=>{var t;this.T.success(),(t=this.onopen)==null||t.call(this)},this.Z.onerror=t=>{var e;this.gn(t),(e=this.onerror)==null||e.call(this,t)},Object.entries(this.e).forEach(([t,e])=>{e.forEach(n=>{var r;(r=this.Z)==null||r.addEventListener(t,n)})})}addEventListener(t,e){var n,r,s;(r=(n=this.e)[t])!=null||(n[t]=[]),this.e[t].push(e),(s=this.Z)==null||s.addEventListener(t,e)}close(){var t,e;clearTimeout(this.ie),this.ie=void 0,(t=this.Z)==null||t.close(),(e=this.onclose)==null||e.call(this)}pn(t){var e;(e=this.onretrying)==null||e.call(this,{delayMillis:t}),this.ie=setTimeout(()=>{this.Be()},t)}gn(t){this.close(),!(t.status&&typeof t.status=="number"&&!this.He(t))&&this.pn(this.T.fail())}};var ht=class{fetch(t,e){return fetch(t,e)}createEventSource(t,e){return new ut(t,e)}getEventSourceCapabilities(){return{customMethod:!1,readTimeout:!1,headers:!1}}};function Ue(){return typeof localStorage!="undefined"}function Ri(){if(!Ue())return[];let i=[];for(let t=0;t<localStorage.length;t+=1){let e=localStorage.key(t);e&&i.push(e)}return i}var dt=class{constructor(t){this.t=t}async clear(t){var e;try{localStorage.removeItem(t)}catch(n){(e=this.t)==null||e.error(`Error clearing key from localStorage: ${t}, reason: ${n}`)}}async get(t){var e;try{let n=localStorage.getItem(t);return n!=null?n:null}catch(n){return(e=this.t)==null||e.error(`Error getting key from localStorage: ${t}, reason: ${n}`),null}}async set(t,e){var n;try{localStorage.setItem(t,e)}catch(r){(n=this.t)==null||n.error(`Error setting key in localStorage: ${t}, reason: ${r}`)}}};var ft=class{constructor(t,e){this.encoding=new ct;this.crypto=new ot;this.requests=new ht;Ue()&&(this.storage=new dt(t)),this.info=new lt(e)}};var Ve=class extends Ut{constructor(t,e,n={},r){var m;let{logger:s,debug:a}=n,o=s!=null?s:new M({destination:{debug:console.debug,info:console.info,warn:console.warn,error:console.error},level:a?"debug":"info"}),c=(m=n.baseUri)!=null?m:"https://clientsdk.launchdarkly.com",l=r!=null?r:new ft(o,n),u=Ne(n,o),d=Fi(D(g({},n),{logger:o})),{eventUrlTransformer:f}=u;super(t,e,l,d,(p,y,x,L,K)=>new it(l,p,t,y,u,()=>({pathGet(P,N){return`/sdk/evalx/${t}/contexts/${ye(N,P)}`},pathReport(P,N){return`/sdk/evalx/${t}/context`},pathPing(P,N){throw new Error("Ping for polling unsupported.")}}),()=>({pathGet(P,N){return`/eval/${t}/${ye(N,P)}`},pathReport(P,N){return`/eval/${t}`},pathPing(P,N){return`/ping/${t}`}}),x,L,K),{getLegacyStorageKeys:()=>Ri().filter(p=>p.startsWith(`ld:${t}:`)),analyticsEventPath:`/events/bulk/${t}`,diagnosticEventPath:`/events/diagnostic/${t}`,includeAuthorizationHeader:!1,highTimeoutThreshold:5,userAgentHeaderName:"x-launchdarkly-user-agent",trackEventModifier:p=>new k.InputCustomEvent(p.context,p.key,p.data,p.metricValue,p.samplingRatio,f(T())),getImplementationHooks:p=>k.safeGetHooks(o,p,u.plugins),credentialType:"clientSideId"}),this.setEventSendingEnabled(!0,!1),this.re=u.plugins,u.fetchGoals&&(this.ne=new st(t,l.requests,c,p=>{o.error(p.message)},(p,y)=>{let x=this.getInternalContext();if(!x)return;let L=f(p);$i(y)?this.sendEvent({kind:"click",url:L,samplingRatio:1,key:y.key,creationDate:Date.now(),context:x,selector:y.selector}):this.sendEvent({kind:"pageview",url:L,samplingRatio:1,key:y.key,creationDate:Date.now(),context:x})}),this.ne.initialize(),u.automaticBackgroundHandling&&Oi(()=>this.flush()))}registerPlugins(t){k.safeRegisterPlugins(this.logger,this.environmentMetadata,t,this.re||[]);let e=this.getDebugOverrides();e&&Si(this.logger,e,this.re||[])}setInitialContext(t){this.se=t}async identify(t,e){return super.identify(t,e)}async identifyResult(t,e){var s;if(!this.nt)return this.logger.error("Client must be started before it can identify a context, did you forget to call start()?"),{status:"error",error:new Error("Identify called before start")};let n=g({},e);(e==null?void 0:e.sheddable)===void 0&&(n.sheddable=!0);let r=await super.identifyResult(t,n);return(s=this.ne)==null||s.startTracking(),r}start(t){var n,r;if(this.initializeResult)return Promise.resolve(this.initializeResult);if(this.nt)return this.nt;if(!this.se)return this.logger.error("Initial context not set"),Promise.resolve({status:"failed",error:new Error("Initial context not set")});let e=D(g({},(n=t==null?void 0:t.identifyOptions)!=null?n:{}),{sheddable:!1});if(t!=null&&t.bootstrap&&!e.bootstrap&&(e.bootstrap=t.bootstrap),e!=null&&e.bootstrap)try{let s=jt(this.logger,e.bootstrap);this.presetFlags(s)}catch(s){this.logger.error("Failed to bootstrap data",s)}return this.initializedPromise||(this.initializedPromise=new Promise(s=>{this.initResolve=s})),this.nt=this.promiseWithTimeout(this.initializedPromise,(r=t==null?void 0:t.timeout)!=null?r:5),this.identifyResult(this.se,e),this.nt}setStreaming(t){this.dataManager.setForcedStreaming(t)}Ke(){this.dataManager.setAutomaticStreamingState(!!this.emitter.listenerCount("change"))}on(t,e){super.on(t,e),this.Ke()}off(t,e){super.off(t,e),this.Ke()}};function Mi(i,t,e,n={},r){let s=new Ve(i,e,n,r);s.setInitialContext(t);let a={variation:(o,c)=>s.variation(o,c),variationDetail:(o,c)=>s.variationDetail(o,c),boolVariation:(o,c)=>s.boolVariation(o,c),boolVariationDetail:(o,c)=>s.boolVariationDetail(o,c),numberVariation:(o,c)=>s.numberVariation(o,c),numberVariationDetail:(o,c)=>s.numberVariationDetail(o,c),stringVariation:(o,c)=>s.stringVariation(o,c),stringVariationDetail:(o,c)=>s.stringVariationDetail(o,c),jsonVariation:(o,c)=>s.jsonVariation(o,c),jsonVariationDetail:(o,c)=>s.jsonVariationDetail(o,c),track:(o,c,l)=>s.track(o,c,l),on:(o,c)=>s.on(o,c),off:(o,c)=>s.off(o,c),flush:()=>s.flush(),setStreaming:o=>s.setStreaming(o),identify:(o,c)=>s.identifyResult(o,c),getContext:()=>s.getContext(),close:()=>s.close(),allFlags:()=>s.allFlags(),addHook:o=>s.addHook(o),waitForInitialization:o=>s.waitForInitialization(o),logger:s.logger,start:o=>s.start(o)};return s.registerPlugins(a),a}var Ui=["ready","failed","initialized"],gt=class{constructor(t){this.n=t;this.e=new Map}on(t,e){var n;Ui.includes(t)?this.e.has(t)?(n=this.e.get(t))==null||n.push(e):this.e.set(t,[e]):this.n.on(t,e)}off(t,e){if(Ui.includes(t)){let n=this.e.get(t);if(!n)return;if(e){let r=n.filter(s=>s!==e);r.length===0?this.e.delete(t):this.e.set(t,r);return}this.e.delete(t)}else this.n.off(t,e)}zt(t,e,...n){try{t(...n)}catch(r){this.n.logger.error(`Encountered error invoking handler for "${e}", detail: "${r}"`)}}emit(t,...e){let n=this.e.get(t);n==null||n.forEach(r=>this.zt(r,t,...e))}eventNames(){return[...this.e.keys()]}listenerCount(t){var e,n;return(n=(e=this.e.get(t))==null?void 0:e.length)!=null?n:0}};function Gt(i,t){let e=i.then(n=>(t&&setTimeout(()=>{t(null,n)},0),n),n=>{if(t)setTimeout(()=>{t(n,null)},0);else return Promise.reject(n)});return t?void 0:e}var pt=class{constructor(t,e,n){this.ae="initializing";let r=n==null?void 0:n.bootstrap,s=n==null?void 0:n.hash,a=g({},n);delete a.bootstrap,delete a.hash,this.n=Mi(t,e,z.Disabled,n),this.R=new gt(this.n),this.logger=this.n.logger,this.n.start(),this.mn(e,r,s)}async mn(t,e,n){var r,s;try{let a=await this.n.identify(t,{noTimeout:!0,bootstrap:e,hash:n,sheddable:!1});if(a.status==="error")throw a.error;if(a.status==="timeout")throw new I("Identify timed out");this.ae="success",(r=this.Ge)==null||r.call(this),this.R.emit("initialized")}catch(a){this._e=a,this.ae="failure",(s=this.We)==null||s.call(this,a),this.R.emit("failed",a)}this.R.emit("ready")}allFlags(){return this.n.allFlags()}boolVariation(t,e){return this.n.boolVariation(t,e)}boolVariationDetail(t,e){return this.n.boolVariationDetail(t,e)}jsonVariation(t,e){return this.n.jsonVariation(t,e)}jsonVariationDetail(t,e){return this.n.jsonVariationDetail(t,e)}numberVariation(t,e){return this.n.numberVariation(t,e)}numberVariationDetail(t,e){return this.n.numberVariationDetail(t,e)}off(t,e){this.R.off(t,e)}on(t,e){this.R.on(t,e)}stringVariation(t,e){return this.n.stringVariation(t,e)}stringVariationDetail(t,e){return this.n.stringVariationDetail(t,e)}track(t,e,n){this.n.track(t,e,n)}variation(t,e){return this.n.variation(t,e)}variationDetail(t,e){return this.n.variationDetail(t,e)}addHook(t){this.n.addHook(t)}setStreaming(t){this.n.setStreaming(t)}identify(t,e,n){return Gt(this.n.identify(t,{hash:e,sheddable:!1}).then(r=>{if(r.status==="error")throw r.error;if(r.status==="timeout")throw new I("Identify timed out");return this.allFlags()}),n)}close(t){return Gt(this.n.close().then(),t)}flush(t){return Gt(this.n.flush().then(()=>{}),t)}getContext(){return this.n.getContext()}waitForInitialization(t){var e;if(this.rt)return this.Je(this.rt,t);switch(this.ae){case"success":return Promise.resolve();case"failure":return Promise.reject(this._e);case"initializing":break;default:throw new Error("Unexpected initialization state. This represents an implementation error in the SDK.")}return t===void 0&&((e=this.logger)==null||e.warn("The waitForInitialization function was called without a timeout specified. In a future version a default timeout will be applied.")),this.rt||(this.rt=new Promise((n,r)=>{this.Ge=n,this.We=r})),this.Je(this.rt,t)}async waitUntilReady(){try{await this.waitForInitialization()}catch(t){}}Je(t,e){if(e){let n=Ot(e,"waitForInitialization");return Promise.race([t.then(()=>n.cancel()),n.promise]).catch(r=>{var s;throw r instanceof I&&((s=this.logger)==null||s.error(r.message)),r})}return t}};function Ra(i){return new M(i)}function Va(i,t,e){return new pt(i,t,e)}export{Ra as basicLogger,Va as initialize};
|
|
2
|
-
//# sourceMappingURL=compat.js.map
|