{ "version": 3, "sources": ["../../typescript/page.ts", "../../typescript/create.ts", "../../node_modules/@microsoft/signalr/src/Errors.ts", "../../node_modules/@microsoft/signalr/src/HttpClient.ts", "../../node_modules/@microsoft/signalr/src/ILogger.ts", "../../node_modules/@microsoft/signalr/src/Loggers.ts", "../../node_modules/@microsoft/signalr/src/Utils.ts", "../../node_modules/@microsoft/signalr/src/FetchHttpClient.ts", "../../node_modules/@microsoft/signalr/src/XhrHttpClient.ts", "../../node_modules/@microsoft/signalr/src/DefaultHttpClient.ts", "../../node_modules/@microsoft/signalr/src/TextMessageFormat.ts", "../../node_modules/@microsoft/signalr/src/HandshakeProtocol.ts", "../../node_modules/@microsoft/signalr/src/IHubProtocol.ts", "../../node_modules/@microsoft/signalr/src/Subject.ts", "../../node_modules/@microsoft/signalr/src/HubConnection.ts", "../../node_modules/@microsoft/signalr/src/DefaultReconnectPolicy.ts", "../../node_modules/@microsoft/signalr/src/HeaderNames.ts", "../../node_modules/@microsoft/signalr/src/AccessTokenHttpClient.ts", "../../node_modules/@microsoft/signalr/src/ITransport.ts", "../../node_modules/@microsoft/signalr/src/AbortController.ts", "../../node_modules/@microsoft/signalr/src/LongPollingTransport.ts", "../../node_modules/@microsoft/signalr/src/ServerSentEventsTransport.ts", "../../node_modules/@microsoft/signalr/src/WebSocketTransport.ts", "../../node_modules/@microsoft/signalr/src/HttpConnection.ts", "../../node_modules/@microsoft/signalr/src/JsonHubProtocol.ts", "../../node_modules/@microsoft/signalr/src/HubConnectionBuilder.ts", "../../node_modules/tslib/tslib.es6.mjs", "../../node_modules/rxjs/src/internal/util/isFunction.ts", "../../node_modules/rxjs/src/internal/util/createErrorClass.ts", "../../node_modules/rxjs/src/internal/util/UnsubscriptionError.ts", "../../node_modules/rxjs/src/internal/util/arrRemove.ts", "../../node_modules/rxjs/src/internal/Subscription.ts", "../../node_modules/rxjs/src/internal/config.ts", "../../node_modules/rxjs/src/internal/scheduler/timeoutProvider.ts", "../../node_modules/rxjs/src/internal/util/reportUnhandledError.ts", "../../node_modules/rxjs/src/internal/util/noop.ts", "../../node_modules/rxjs/src/internal/NotificationFactories.ts", "../../node_modules/rxjs/src/internal/util/errorContext.ts", "../../node_modules/rxjs/src/internal/Subscriber.ts", "../../node_modules/rxjs/src/internal/symbol/observable.ts", "../../node_modules/rxjs/src/internal/util/identity.ts", "../../node_modules/rxjs/src/internal/util/pipe.ts", "../../node_modules/rxjs/src/internal/Observable.ts", "../../node_modules/rxjs/src/internal/util/lift.ts", "../../node_modules/rxjs/src/internal/operators/OperatorSubscriber.ts", "../../node_modules/rxjs/src/internal/util/ObjectUnsubscribedError.ts", "../../node_modules/rxjs/src/internal/Subject.ts", "../../node_modules/rxjs/src/internal/observable/empty.ts", "../../node_modules/rxjs/src/internal/operators/take.ts", "../../typescript/signalr/story-client.ts", "../../typescript/core/selector.ts", "../../typescript/core/translate.ts", "../../typescript/core/util.ts", "../../typescript/read/read-page.ts", "../../typescript/core/dtos.ts", "../../typescript/read/index.ts", "../../typescript/feedback.ts", "../../typescript/language-toggle.ts", "../../typescript/inline-prompt/inline-prompt.ts", "../../typescript/site.ts"], "sourcesContent": ["export abstract class Page {\n constructor(protected pageUrl: RegExp | string) {\n if (\n (typeof pageUrl === 'string' && !location.href.endsWith(pageUrl)) ||\n (typeof pageUrl === 'object' && !pageUrl.test(location.href))\n ) {\n return;\n }\n\n document.addEventListener('DOMContentLoaded', () => this.onLoaded());\n }\n\n protected abstract onLoaded(): void;\n}\n", "import { Page } from './page';\n\nclass PageCreate extends Page {\n constructor() {\n super('stories/create');\n }\n\n protected onLoaded(): void {\n const button = document.getElementById('start-btn') as HTMLButtonElement;\n const form = document.getElementById(\n 'create-story-form'\n ) as HTMLFormElement;\n\n form.addEventListener('submit', (e: Event) => {\n button.disabled = true;\n });\n }\n}\n\nnew PageCreate();\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { HttpTransportType } from \"./ITransport\";\r\n\r\n/** Error thrown when an HTTP request fails. */\r\nexport class HttpError extends Error {\r\n // @ts-ignore: Intentionally unused.\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private __proto__: Error;\r\n\r\n /** The HTTP status code represented by this error. */\r\n public statusCode: number;\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.HttpError}.\r\n *\r\n * @param {string} errorMessage A descriptive error message.\r\n * @param {number} statusCode The HTTP status code represented by this error.\r\n */\r\n constructor(errorMessage: string, statusCode: number) {\r\n const trueProto = new.target.prototype;\r\n super(`${errorMessage}: Status code '${statusCode}'`);\r\n this.statusCode = statusCode;\r\n\r\n // Workaround issue in Typescript compiler\r\n // https://github.com/Microsoft/TypeScript/issues/13965#issuecomment-278570200\r\n this.__proto__ = trueProto;\r\n }\r\n}\r\n\r\n/** Error thrown when a timeout elapses. */\r\nexport class TimeoutError extends Error {\r\n // @ts-ignore: Intentionally unused.\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private __proto__: Error;\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.TimeoutError}.\r\n *\r\n * @param {string} errorMessage A descriptive error message.\r\n */\r\n constructor(errorMessage: string = \"A timeout occurred.\") {\r\n const trueProto = new.target.prototype;\r\n super(errorMessage);\r\n\r\n // Workaround issue in Typescript compiler\r\n // https://github.com/Microsoft/TypeScript/issues/13965#issuecomment-278570200\r\n this.__proto__ = trueProto;\r\n }\r\n}\r\n\r\n/** Error thrown when an action is aborted. */\r\nexport class AbortError extends Error {\r\n // @ts-ignore: Intentionally unused.\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private __proto__: Error;\r\n\r\n /** Constructs a new instance of {@link AbortError}.\r\n *\r\n * @param {string} errorMessage A descriptive error message.\r\n */\r\n constructor(errorMessage: string = \"An abort occurred.\") {\r\n const trueProto = new.target.prototype;\r\n super(errorMessage);\r\n\r\n // Workaround issue in Typescript compiler\r\n // https://github.com/Microsoft/TypeScript/issues/13965#issuecomment-278570200\r\n this.__proto__ = trueProto;\r\n }\r\n}\r\n\r\n/** Error thrown when the selected transport is unsupported by the browser. */\r\n/** @private */\r\nexport class UnsupportedTransportError extends Error {\r\n // @ts-ignore: Intentionally unused.\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private __proto__: Error;\r\n\r\n /** The {@link @microsoft/signalr.HttpTransportType} this error occurred on. */\r\n public transport: HttpTransportType;\r\n\r\n /** The type name of this error. */\r\n public errorType: string;\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.UnsupportedTransportError}.\r\n *\r\n * @param {string} message A descriptive error message.\r\n * @param {HttpTransportType} transport The {@link @microsoft/signalr.HttpTransportType} this error occurred on.\r\n */\r\n constructor(message: string, transport: HttpTransportType) {\r\n const trueProto = new.target.prototype;\r\n super(message);\r\n this.transport = transport;\r\n this.errorType = 'UnsupportedTransportError';\r\n\r\n // Workaround issue in Typescript compiler\r\n // https://github.com/Microsoft/TypeScript/issues/13965#issuecomment-278570200\r\n this.__proto__ = trueProto;\r\n }\r\n}\r\n\r\n/** Error thrown when the selected transport is disabled by the browser. */\r\n/** @private */\r\nexport class DisabledTransportError extends Error {\r\n // @ts-ignore: Intentionally unused.\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private __proto__: Error;\r\n\r\n /** The {@link @microsoft/signalr.HttpTransportType} this error occurred on. */\r\n public transport: HttpTransportType;\r\n\r\n /** The type name of this error. */\r\n public errorType: string;\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.DisabledTransportError}.\r\n *\r\n * @param {string} message A descriptive error message.\r\n * @param {HttpTransportType} transport The {@link @microsoft/signalr.HttpTransportType} this error occurred on.\r\n */\r\n constructor(message: string, transport: HttpTransportType) {\r\n const trueProto = new.target.prototype;\r\n super(message);\r\n this.transport = transport;\r\n this.errorType = 'DisabledTransportError';\r\n\r\n // Workaround issue in Typescript compiler\r\n // https://github.com/Microsoft/TypeScript/issues/13965#issuecomment-278570200\r\n this.__proto__ = trueProto;\r\n }\r\n}\r\n\r\n/** Error thrown when the selected transport cannot be started. */\r\n/** @private */\r\nexport class FailedToStartTransportError extends Error {\r\n // @ts-ignore: Intentionally unused.\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private __proto__: Error;\r\n\r\n /** The {@link @microsoft/signalr.HttpTransportType} this error occurred on. */\r\n public transport: HttpTransportType;\r\n\r\n /** The type name of this error. */\r\n public errorType: string;\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.FailedToStartTransportError}.\r\n *\r\n * @param {string} message A descriptive error message.\r\n * @param {HttpTransportType} transport The {@link @microsoft/signalr.HttpTransportType} this error occurred on.\r\n */\r\n constructor(message: string, transport: HttpTransportType) {\r\n const trueProto = new.target.prototype;\r\n super(message);\r\n this.transport = transport;\r\n this.errorType = 'FailedToStartTransportError';\r\n\r\n // Workaround issue in Typescript compiler\r\n // https://github.com/Microsoft/TypeScript/issues/13965#issuecomment-278570200\r\n this.__proto__ = trueProto;\r\n }\r\n}\r\n\r\n/** Error thrown when the negotiation with the server failed to complete. */\r\n/** @private */\r\nexport class FailedToNegotiateWithServerError extends Error {\r\n // @ts-ignore: Intentionally unused.\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private __proto__: Error;\r\n\r\n /** The type name of this error. */\r\n public errorType: string;\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.FailedToNegotiateWithServerError}.\r\n *\r\n * @param {string} message A descriptive error message.\r\n */\r\n constructor(message: string) {\r\n const trueProto = new.target.prototype;\r\n super(message);\r\n this.errorType = 'FailedToNegotiateWithServerError';\r\n\r\n // Workaround issue in Typescript compiler\r\n // https://github.com/Microsoft/TypeScript/issues/13965#issuecomment-278570200\r\n this.__proto__ = trueProto;\r\n }\r\n}\r\n\r\n/** Error thrown when multiple errors have occurred. */\r\n/** @private */\r\nexport class AggregateErrors extends Error {\r\n // @ts-ignore: Intentionally unused.\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private __proto__: Error;\r\n\r\n /** The collection of errors this error is aggregating. */\r\n public innerErrors: Error[];\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.AggregateErrors}.\r\n *\r\n * @param {string} message A descriptive error message.\r\n * @param {Error[]} innerErrors The collection of errors this error is aggregating.\r\n */\r\n constructor(message: string, innerErrors: Error[]) {\r\n const trueProto = new.target.prototype;\r\n super(message);\r\n\r\n this.innerErrors = innerErrors;\r\n\r\n // Workaround issue in Typescript compiler\r\n // https://github.com/Microsoft/TypeScript/issues/13965#issuecomment-278570200\r\n this.__proto__ = trueProto;\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { AbortSignal } from \"./AbortController\";\r\nimport { MessageHeaders } from \"./IHubProtocol\";\r\n\r\n/** Represents an HTTP request. */\r\nexport interface HttpRequest {\r\n /** The HTTP method to use for the request. */\r\n method?: string;\r\n\r\n /** The URL for the request. */\r\n url?: string;\r\n\r\n /** The body content for the request. May be a string or an ArrayBuffer (for binary data). */\r\n content?: string | ArrayBuffer;\r\n\r\n /** An object describing headers to apply to the request. */\r\n headers?: MessageHeaders;\r\n\r\n /** The XMLHttpRequestResponseType to apply to the request. */\r\n responseType?: XMLHttpRequestResponseType;\r\n\r\n /** An AbortSignal that can be monitored for cancellation. */\r\n abortSignal?: AbortSignal;\r\n\r\n /** The time to wait for the request to complete before throwing a TimeoutError. Measured in milliseconds. */\r\n timeout?: number;\r\n\r\n /** This controls whether credentials such as cookies are sent in cross-site requests. */\r\n withCredentials?: boolean;\r\n}\r\n\r\n/** Represents an HTTP response. */\r\nexport class HttpResponse {\r\n /** Constructs a new instance of {@link @microsoft/signalr.HttpResponse} with the specified status code.\r\n *\r\n * @param {number} statusCode The status code of the response.\r\n */\r\n constructor(statusCode: number);\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.HttpResponse} with the specified status code and message.\r\n *\r\n * @param {number} statusCode The status code of the response.\r\n * @param {string} statusText The status message of the response.\r\n */\r\n constructor(statusCode: number, statusText: string);\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.HttpResponse} with the specified status code, message and string content.\r\n *\r\n * @param {number} statusCode The status code of the response.\r\n * @param {string} statusText The status message of the response.\r\n * @param {string} content The content of the response.\r\n */\r\n constructor(statusCode: number, statusText: string, content: string);\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.HttpResponse} with the specified status code, message and binary content.\r\n *\r\n * @param {number} statusCode The status code of the response.\r\n * @param {string} statusText The status message of the response.\r\n * @param {ArrayBuffer} content The content of the response.\r\n */\r\n constructor(statusCode: number, statusText: string, content: ArrayBuffer);\r\n\r\n /** Constructs a new instance of {@link @microsoft/signalr.HttpResponse} with the specified status code, message and binary content.\r\n *\r\n * @param {number} statusCode The status code of the response.\r\n * @param {string} statusText The status message of the response.\r\n * @param {string | ArrayBuffer} content The content of the response.\r\n */\r\n constructor(statusCode: number, statusText: string, content: string | ArrayBuffer);\r\n constructor(\r\n public readonly statusCode: number,\r\n public readonly statusText?: string,\r\n public readonly content?: string | ArrayBuffer) {\r\n }\r\n}\r\n\r\n/** Abstraction over an HTTP client.\r\n *\r\n * This class provides an abstraction over an HTTP client so that a different implementation can be provided on different platforms.\r\n */\r\nexport abstract class HttpClient {\r\n /** Issues an HTTP GET request to the specified URL, returning a Promise that resolves with an {@link @microsoft/signalr.HttpResponse} representing the result.\r\n *\r\n * @param {string} url The URL for the request.\r\n * @returns {Promise} A Promise that resolves with an {@link @microsoft/signalr.HttpResponse} describing the response, or rejects with an Error indicating a failure.\r\n */\r\n public get(url: string): Promise;\r\n\r\n /** Issues an HTTP GET request to the specified URL, returning a Promise that resolves with an {@link @microsoft/signalr.HttpResponse} representing the result.\r\n *\r\n * @param {string} url The URL for the request.\r\n * @param {HttpRequest} options Additional options to configure the request. The 'url' field in this object will be overridden by the url parameter.\r\n * @returns {Promise} A Promise that resolves with an {@link @microsoft/signalr.HttpResponse} describing the response, or rejects with an Error indicating a failure.\r\n */\r\n public get(url: string, options: HttpRequest): Promise;\r\n public get(url: string, options?: HttpRequest): Promise {\r\n return this.send({\r\n ...options,\r\n method: \"GET\",\r\n url,\r\n });\r\n }\r\n\r\n /** Issues an HTTP POST request to the specified URL, returning a Promise that resolves with an {@link @microsoft/signalr.HttpResponse} representing the result.\r\n *\r\n * @param {string} url The URL for the request.\r\n * @returns {Promise} A Promise that resolves with an {@link @microsoft/signalr.HttpResponse} describing the response, or rejects with an Error indicating a failure.\r\n */\r\n public post(url: string): Promise;\r\n\r\n /** Issues an HTTP POST request to the specified URL, returning a Promise that resolves with an {@link @microsoft/signalr.HttpResponse} representing the result.\r\n *\r\n * @param {string} url The URL for the request.\r\n * @param {HttpRequest} options Additional options to configure the request. The 'url' field in this object will be overridden by the url parameter.\r\n * @returns {Promise} A Promise that resolves with an {@link @microsoft/signalr.HttpResponse} describing the response, or rejects with an Error indicating a failure.\r\n */\r\n public post(url: string, options: HttpRequest): Promise;\r\n public post(url: string, options?: HttpRequest): Promise {\r\n return this.send({\r\n ...options,\r\n method: \"POST\",\r\n url,\r\n });\r\n }\r\n\r\n /** Issues an HTTP DELETE request to the specified URL, returning a Promise that resolves with an {@link @microsoft/signalr.HttpResponse} representing the result.\r\n *\r\n * @param {string} url The URL for the request.\r\n * @returns {Promise} A Promise that resolves with an {@link @microsoft/signalr.HttpResponse} describing the response, or rejects with an Error indicating a failure.\r\n */\r\n public delete(url: string): Promise;\r\n\r\n /** Issues an HTTP DELETE request to the specified URL, returning a Promise that resolves with an {@link @microsoft/signalr.HttpResponse} representing the result.\r\n *\r\n * @param {string} url The URL for the request.\r\n * @param {HttpRequest} options Additional options to configure the request. The 'url' field in this object will be overridden by the url parameter.\r\n * @returns {Promise} A Promise that resolves with an {@link @microsoft/signalr.HttpResponse} describing the response, or rejects with an Error indicating a failure.\r\n */\r\n public delete(url: string, options: HttpRequest): Promise;\r\n public delete(url: string, options?: HttpRequest): Promise {\r\n return this.send({\r\n ...options,\r\n method: \"DELETE\",\r\n url,\r\n });\r\n }\r\n\r\n /** Issues an HTTP request to the specified URL, returning a {@link Promise} that resolves with an {@link @microsoft/signalr.HttpResponse} representing the result.\r\n *\r\n * @param {HttpRequest} request An {@link @microsoft/signalr.HttpRequest} describing the request to send.\r\n * @returns {Promise} A Promise that resolves with an HttpResponse describing the response, or rejects with an Error indicating a failure.\r\n */\r\n public abstract send(request: HttpRequest): Promise;\r\n\r\n /** Gets all cookies that apply to the specified URL.\r\n *\r\n * @param url The URL that the cookies are valid for.\r\n * @returns {string} A string containing all the key-value cookie pairs for the specified URL.\r\n */\r\n // @ts-ignore\r\n public getCookieString(url: string): string {\r\n return \"\";\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\n// These values are designed to match the ASP.NET Log Levels since that's the pattern we're emulating here.\r\n/** Indicates the severity of a log message.\r\n *\r\n * Log Levels are ordered in increasing severity. So `Debug` is more severe than `Trace`, etc.\r\n */\r\nexport enum LogLevel {\r\n /** Log level for very low severity diagnostic messages. */\r\n Trace = 0,\r\n /** Log level for low severity diagnostic messages. */\r\n Debug = 1,\r\n /** Log level for informational diagnostic messages. */\r\n Information = 2,\r\n /** Log level for diagnostic messages that indicate a non-fatal problem. */\r\n Warning = 3,\r\n /** Log level for diagnostic messages that indicate a failure in the current operation. */\r\n Error = 4,\r\n /** Log level for diagnostic messages that indicate a failure that will terminate the entire application. */\r\n Critical = 5,\r\n /** The highest possible log level. Used when configuring logging to indicate that no log messages should be emitted. */\r\n None = 6,\r\n}\r\n\r\n/** An abstraction that provides a sink for diagnostic messages. */\r\nexport interface ILogger {\r\n /** Called by the framework to emit a diagnostic message.\r\n *\r\n * @param {LogLevel} logLevel The severity level of the message.\r\n * @param {string} message The message.\r\n */\r\n log(logLevel: LogLevel, message: string): void;\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\n\r\n/** A logger that does nothing when log messages are sent to it. */\r\nexport class NullLogger implements ILogger {\r\n /** The singleton instance of the {@link @microsoft/signalr.NullLogger}. */\r\n public static instance: ILogger = new NullLogger();\r\n\r\n private constructor() {}\r\n\r\n /** @inheritDoc */\r\n // eslint-disable-next-line\r\n public log(_logLevel: LogLevel, _message: string): void {\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { HttpClient } from \"./HttpClient\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { NullLogger } from \"./Loggers\";\r\nimport { IStreamSubscriber, ISubscription } from \"./Stream\";\r\nimport { Subject } from \"./Subject\";\r\nimport { IHttpConnectionOptions } from \"./IHttpConnectionOptions\";\r\n\r\n// Version token that will be replaced by the prepack command\r\n/** The version of the SignalR client. */\r\n\r\nexport const VERSION: string = \"0.0.0-DEV_BUILD\";\r\n/** @private */\r\nexport class Arg {\r\n public static isRequired(val: any, name: string): void {\r\n if (val === null || val === undefined) {\r\n throw new Error(`The '${name}' argument is required.`);\r\n }\r\n }\r\n public static isNotEmpty(val: string, name: string): void {\r\n if (!val || val.match(/^\\s*$/)) {\r\n throw new Error(`The '${name}' argument should not be empty.`);\r\n }\r\n }\r\n\r\n public static isIn(val: any, values: any, name: string): void {\r\n // TypeScript enums have keys for **both** the name and the value of each enum member on the type itself.\r\n if (!(val in values)) {\r\n throw new Error(`Unknown ${name} value: ${val}.`);\r\n }\r\n }\r\n}\r\n\r\n/** @private */\r\nexport class Platform {\r\n // react-native has a window but no document so we should check both\r\n public static get isBrowser(): boolean {\r\n return typeof window === \"object\" && typeof window.document === \"object\";\r\n }\r\n\r\n // WebWorkers don't have a window object so the isBrowser check would fail\r\n public static get isWebWorker(): boolean {\r\n return typeof self === \"object\" && \"importScripts\" in self;\r\n }\r\n\r\n // react-native has a window but no document\r\n static get isReactNative(): boolean {\r\n return typeof window === \"object\" && typeof window.document === \"undefined\";\r\n }\r\n\r\n // Node apps shouldn't have a window object, but WebWorkers don't either\r\n // so we need to check for both WebWorker and window\r\n public static get isNode(): boolean {\r\n return !this.isBrowser && !this.isWebWorker && !this.isReactNative;\r\n }\r\n}\r\n\r\n/** @private */\r\nexport function getDataDetail(data: any, includeContent: boolean): string {\r\n let detail = \"\";\r\n if (isArrayBuffer(data)) {\r\n detail = `Binary data of length ${data.byteLength}`;\r\n if (includeContent) {\r\n detail += `. Content: '${formatArrayBuffer(data)}'`;\r\n }\r\n } else if (typeof data === \"string\") {\r\n detail = `String data of length ${data.length}`;\r\n if (includeContent) {\r\n detail += `. Content: '${data}'`;\r\n }\r\n }\r\n return detail;\r\n}\r\n\r\n/** @private */\r\nexport function formatArrayBuffer(data: ArrayBuffer): string {\r\n const view = new Uint8Array(data);\r\n\r\n // Uint8Array.map only supports returning another Uint8Array?\r\n let str = \"\";\r\n view.forEach((num) => {\r\n const pad = num < 16 ? \"0\" : \"\";\r\n str += `0x${pad}${num.toString(16)} `;\r\n });\r\n\r\n // Trim of trailing space.\r\n return str.substr(0, str.length - 1);\r\n}\r\n\r\n// Also in signalr-protocol-msgpack/Utils.ts\r\n/** @private */\r\nexport function isArrayBuffer(val: any): val is ArrayBuffer {\r\n return val && typeof ArrayBuffer !== \"undefined\" &&\r\n (val instanceof ArrayBuffer ||\r\n // Sometimes we get an ArrayBuffer that doesn't satisfy instanceof\r\n (val.constructor && val.constructor.name === \"ArrayBuffer\"));\r\n}\r\n\r\n/** @private */\r\nexport async function sendMessage(logger: ILogger, transportName: string, httpClient: HttpClient, url: string,\r\n content: string | ArrayBuffer, options: IHttpConnectionOptions): Promise {\r\n const headers: {[k: string]: string} = {};\r\n\r\n const [name, value] = getUserAgentHeader();\r\n headers[name] = value;\r\n\r\n logger.log(LogLevel.Trace, `(${transportName} transport) sending data. ${getDataDetail(content, options.logMessageContent!)}.`);\r\n\r\n const responseType = isArrayBuffer(content) ? \"arraybuffer\" : \"text\";\r\n const response = await httpClient.post(url, {\r\n content,\r\n headers: { ...headers, ...options.headers},\r\n responseType,\r\n timeout: options.timeout,\r\n withCredentials: options.withCredentials,\r\n });\r\n\r\n logger.log(LogLevel.Trace, `(${transportName} transport) request complete. Response status: ${response.statusCode}.`);\r\n}\r\n\r\n/** @private */\r\nexport function createLogger(logger?: ILogger | LogLevel): ILogger {\r\n if (logger === undefined) {\r\n return new ConsoleLogger(LogLevel.Information);\r\n }\r\n\r\n if (logger === null) {\r\n return NullLogger.instance;\r\n }\r\n\r\n if ((logger as ILogger).log !== undefined) {\r\n return logger as ILogger;\r\n }\r\n\r\n return new ConsoleLogger(logger as LogLevel);\r\n}\r\n\r\n/** @private */\r\nexport class SubjectSubscription implements ISubscription {\r\n private _subject: Subject;\r\n private _observer: IStreamSubscriber;\r\n\r\n constructor(subject: Subject, observer: IStreamSubscriber) {\r\n this._subject = subject;\r\n this._observer = observer;\r\n }\r\n\r\n public dispose(): void {\r\n const index: number = this._subject.observers.indexOf(this._observer);\r\n if (index > -1) {\r\n this._subject.observers.splice(index, 1);\r\n }\r\n\r\n if (this._subject.observers.length === 0 && this._subject.cancelCallback) {\r\n this._subject.cancelCallback().catch((_) => { });\r\n }\r\n }\r\n}\r\n\r\n/** @private */\r\nexport class ConsoleLogger implements ILogger {\r\n private readonly _minLevel: LogLevel;\r\n\r\n // Public for testing purposes.\r\n public out: {\r\n error(message: any): void,\r\n warn(message: any): void,\r\n info(message: any): void,\r\n log(message: any): void,\r\n };\r\n\r\n constructor(minimumLogLevel: LogLevel) {\r\n this._minLevel = minimumLogLevel;\r\n this.out = console;\r\n }\r\n\r\n public log(logLevel: LogLevel, message: string): void {\r\n if (logLevel >= this._minLevel) {\r\n const msg = `[${new Date().toISOString()}] ${LogLevel[logLevel]}: ${message}`;\r\n switch (logLevel) {\r\n case LogLevel.Critical:\r\n case LogLevel.Error:\r\n this.out.error(msg);\r\n break;\r\n case LogLevel.Warning:\r\n this.out.warn(msg);\r\n break;\r\n case LogLevel.Information:\r\n this.out.info(msg);\r\n break;\r\n default:\r\n // console.debug only goes to attached debuggers in Node, so we use console.log for Trace and Debug\r\n this.out.log(msg);\r\n break;\r\n }\r\n }\r\n }\r\n}\r\n\r\n/** @private */\r\nexport function getUserAgentHeader(): [string, string] {\r\n let userAgentHeaderName = \"X-SignalR-User-Agent\";\r\n if (Platform.isNode) {\r\n userAgentHeaderName = \"User-Agent\";\r\n }\r\n return [ userAgentHeaderName, constructUserAgent(VERSION, getOsName(), getRuntime(), getRuntimeVersion()) ];\r\n}\r\n\r\n/** @private */\r\nexport function constructUserAgent(version: string, os: string, runtime: string, runtimeVersion: string | undefined): string {\r\n // Microsoft SignalR/[Version] ([Detailed Version]; [Operating System]; [Runtime]; [Runtime Version])\r\n let userAgent: string = \"Microsoft SignalR/\";\r\n\r\n const majorAndMinor = version.split(\".\");\r\n userAgent += `${majorAndMinor[0]}.${majorAndMinor[1]}`;\r\n userAgent += ` (${version}; `;\r\n\r\n if (os && os !== \"\") {\r\n userAgent += `${os}; `;\r\n } else {\r\n userAgent += \"Unknown OS; \";\r\n }\r\n\r\n userAgent += `${runtime}`;\r\n\r\n if (runtimeVersion) {\r\n userAgent += `; ${runtimeVersion}`;\r\n } else {\r\n userAgent += \"; Unknown Runtime Version\";\r\n }\r\n\r\n userAgent += \")\";\r\n return userAgent;\r\n}\r\n\r\n// eslint-disable-next-line spaced-comment\r\n/*#__PURE__*/ function getOsName(): string {\r\n if (Platform.isNode) {\r\n switch (process.platform) {\r\n case \"win32\":\r\n return \"Windows NT\";\r\n case \"darwin\":\r\n return \"macOS\";\r\n case \"linux\":\r\n return \"Linux\";\r\n default:\r\n return process.platform;\r\n }\r\n } else {\r\n return \"\";\r\n }\r\n}\r\n\r\n// eslint-disable-next-line spaced-comment\r\n/*#__PURE__*/ function getRuntimeVersion(): string | undefined {\r\n if (Platform.isNode) {\r\n return process.versions.node;\r\n }\r\n return undefined;\r\n}\r\n\r\nfunction getRuntime(): string {\r\n if (Platform.isNode) {\r\n return \"NodeJS\";\r\n } else {\r\n return \"Browser\";\r\n }\r\n}\r\n\r\n/** @private */\r\nexport function getErrorString(e: any): string {\r\n if (e.stack) {\r\n return e.stack;\r\n } else if (e.message) {\r\n return e.message;\r\n }\r\n return `${e}`;\r\n}\r\n\r\n/** @private */\r\nexport function getGlobalThis(): unknown {\r\n // globalThis is semi-new and not available in Node until v12\r\n if (typeof globalThis !== \"undefined\") {\r\n return globalThis;\r\n }\r\n if (typeof self !== \"undefined\") {\r\n return self;\r\n }\r\n if (typeof window !== \"undefined\") {\r\n return window;\r\n }\r\n if (typeof global !== \"undefined\") {\r\n return global;\r\n }\r\n throw new Error(\"could not find global\");\r\n}", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\n// @ts-ignore: This will be removed from built files and is here to make the types available during dev work\r\nimport { CookieJar } from \"@types/tough-cookie\";\r\n\r\nimport { AbortError, HttpError, TimeoutError } from \"./Errors\";\r\nimport { HttpClient, HttpRequest, HttpResponse } from \"./HttpClient\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { Platform, getGlobalThis, isArrayBuffer } from \"./Utils\";\r\n\r\nexport class FetchHttpClient extends HttpClient {\r\n private readonly _abortControllerType: { prototype: AbortController, new(): AbortController };\r\n private readonly _fetchType: (input: RequestInfo, init?: RequestInit) => Promise;\r\n private readonly _jar?: CookieJar;\r\n\r\n private readonly _logger: ILogger;\r\n\r\n public constructor(logger: ILogger) {\r\n super();\r\n this._logger = logger;\r\n\r\n if (typeof fetch === \"undefined\") {\r\n // In order to ignore the dynamic require in webpack builds we need to do this magic\r\n // @ts-ignore: TS doesn't know about these names\r\n const requireFunc = typeof __webpack_require__ === \"function\" ? __non_webpack_require__ : require;\r\n\r\n // Cookies aren't automatically handled in Node so we need to add a CookieJar to preserve cookies across requests\r\n this._jar = new (requireFunc(\"tough-cookie\")).CookieJar();\r\n this._fetchType = requireFunc(\"node-fetch\");\r\n\r\n // node-fetch doesn't have a nice API for getting and setting cookies\r\n // fetch-cookie will wrap a fetch implementation with a default CookieJar or a provided one\r\n this._fetchType = requireFunc(\"fetch-cookie\")(this._fetchType, this._jar);\r\n } else {\r\n this._fetchType = fetch.bind(getGlobalThis());\r\n }\r\n if (typeof AbortController === \"undefined\") {\r\n // In order to ignore the dynamic require in webpack builds we need to do this magic\r\n // @ts-ignore: TS doesn't know about these names\r\n const requireFunc = typeof __webpack_require__ === \"function\" ? __non_webpack_require__ : require;\r\n\r\n // Node needs EventListener methods on AbortController which our custom polyfill doesn't provide\r\n this._abortControllerType = requireFunc(\"abort-controller\");\r\n } else {\r\n this._abortControllerType = AbortController;\r\n }\r\n }\r\n\r\n /** @inheritDoc */\r\n public async send(request: HttpRequest): Promise {\r\n // Check that abort was not signaled before calling send\r\n if (request.abortSignal && request.abortSignal.aborted) {\r\n throw new AbortError();\r\n }\r\n\r\n if (!request.method) {\r\n throw new Error(\"No method defined.\");\r\n }\r\n if (!request.url) {\r\n throw new Error(\"No url defined.\");\r\n }\r\n\r\n const abortController = new this._abortControllerType();\r\n\r\n let error: any;\r\n // Hook our abortSignal into the abort controller\r\n if (request.abortSignal) {\r\n request.abortSignal.onabort = () => {\r\n abortController.abort();\r\n error = new AbortError();\r\n };\r\n }\r\n\r\n // If a timeout has been passed in, setup a timeout to call abort\r\n // Type needs to be any to fit window.setTimeout and NodeJS.setTimeout\r\n let timeoutId: any = null;\r\n if (request.timeout) {\r\n const msTimeout = request.timeout!;\r\n timeoutId = setTimeout(() => {\r\n abortController.abort();\r\n this._logger.log(LogLevel.Warning, `Timeout from HTTP request.`);\r\n error = new TimeoutError();\r\n }, msTimeout);\r\n }\r\n\r\n if (request.content === \"\") {\r\n request.content = undefined;\r\n }\r\n if (request.content) {\r\n // Explicitly setting the Content-Type header for React Native on Android platform.\r\n request.headers = request.headers || {};\r\n if (isArrayBuffer(request.content)) {\r\n request.headers[\"Content-Type\"] = \"application/octet-stream\";\r\n } else {\r\n request.headers[\"Content-Type\"] = \"text/plain;charset=UTF-8\";\r\n }\r\n }\r\n\r\n let response: Response;\r\n try {\r\n response = await this._fetchType(request.url!, {\r\n body: request.content,\r\n cache: \"no-cache\",\r\n credentials: request.withCredentials === true ? \"include\" : \"same-origin\",\r\n headers: {\r\n \"X-Requested-With\": \"XMLHttpRequest\",\r\n ...request.headers,\r\n },\r\n method: request.method!,\r\n mode: \"cors\",\r\n redirect: \"follow\",\r\n signal: abortController.signal,\r\n });\r\n } catch (e) {\r\n if (error) {\r\n throw error;\r\n }\r\n this._logger.log(\r\n LogLevel.Warning,\r\n `Error from HTTP request. ${e}.`,\r\n );\r\n throw e;\r\n } finally {\r\n if (timeoutId) {\r\n clearTimeout(timeoutId);\r\n }\r\n if (request.abortSignal) {\r\n request.abortSignal.onabort = null;\r\n }\r\n }\r\n\r\n if (!response.ok) {\r\n const errorMessage = await deserializeContent(response, \"text\") as string;\r\n throw new HttpError(errorMessage || response.statusText, response.status);\r\n }\r\n\r\n const content = deserializeContent(response, request.responseType);\r\n const payload = await content;\r\n\r\n return new HttpResponse(\r\n response.status,\r\n response.statusText,\r\n payload,\r\n );\r\n }\r\n\r\n public getCookieString(url: string): string {\r\n let cookies: string = \"\";\r\n if (Platform.isNode && this._jar) {\r\n // @ts-ignore: unused variable\r\n this._jar.getCookies(url, (e, c) => cookies = c.join(\"; \"));\r\n }\r\n return cookies;\r\n }\r\n}\r\n\r\nfunction deserializeContent(response: Response, responseType?: XMLHttpRequestResponseType): Promise {\r\n let content;\r\n switch (responseType) {\r\n case \"arraybuffer\":\r\n content = response.arrayBuffer();\r\n break;\r\n case \"text\":\r\n content = response.text();\r\n break;\r\n case \"blob\":\r\n case \"document\":\r\n case \"json\":\r\n throw new Error(`${responseType} is not supported.`);\r\n default:\r\n content = response.text();\r\n break;\r\n }\r\n\r\n return content;\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { AbortError, HttpError, TimeoutError } from \"./Errors\";\r\nimport { HttpClient, HttpRequest, HttpResponse } from \"./HttpClient\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { isArrayBuffer } from \"./Utils\";\r\n\r\nexport class XhrHttpClient extends HttpClient {\r\n private readonly _logger: ILogger;\r\n\r\n public constructor(logger: ILogger) {\r\n super();\r\n this._logger = logger;\r\n }\r\n\r\n /** @inheritDoc */\r\n public send(request: HttpRequest): Promise {\r\n // Check that abort was not signaled before calling send\r\n if (request.abortSignal && request.abortSignal.aborted) {\r\n return Promise.reject(new AbortError());\r\n }\r\n\r\n if (!request.method) {\r\n return Promise.reject(new Error(\"No method defined.\"));\r\n }\r\n if (!request.url) {\r\n return Promise.reject(new Error(\"No url defined.\"));\r\n }\r\n\r\n return new Promise((resolve, reject) => {\r\n const xhr = new XMLHttpRequest();\r\n\r\n xhr.open(request.method!, request.url!, true);\r\n xhr.withCredentials = request.withCredentials === undefined ? true : request.withCredentials;\r\n xhr.setRequestHeader(\"X-Requested-With\", \"XMLHttpRequest\");\r\n if (request.content === \"\") {\r\n request.content = undefined;\r\n }\r\n if (request.content) {\r\n // Explicitly setting the Content-Type header for React Native on Android platform.\r\n if (isArrayBuffer(request.content)) {\r\n xhr.setRequestHeader(\"Content-Type\", \"application/octet-stream\");\r\n } else {\r\n xhr.setRequestHeader(\"Content-Type\", \"text/plain;charset=UTF-8\");\r\n }\r\n }\r\n\r\n const headers = request.headers;\r\n if (headers) {\r\n Object.keys(headers)\r\n .forEach((header) => {\r\n xhr.setRequestHeader(header, headers[header]);\r\n });\r\n }\r\n\r\n if (request.responseType) {\r\n xhr.responseType = request.responseType;\r\n }\r\n\r\n if (request.abortSignal) {\r\n request.abortSignal.onabort = () => {\r\n xhr.abort();\r\n reject(new AbortError());\r\n };\r\n }\r\n\r\n if (request.timeout) {\r\n xhr.timeout = request.timeout;\r\n }\r\n\r\n xhr.onload = () => {\r\n if (request.abortSignal) {\r\n request.abortSignal.onabort = null;\r\n }\r\n\r\n if (xhr.status >= 200 && xhr.status < 300) {\r\n resolve(new HttpResponse(xhr.status, xhr.statusText, xhr.response || xhr.responseText));\r\n } else {\r\n reject(new HttpError(xhr.response || xhr.responseText || xhr.statusText, xhr.status));\r\n }\r\n };\r\n\r\n xhr.onerror = () => {\r\n this._logger.log(LogLevel.Warning, `Error from HTTP request. ${xhr.status}: ${xhr.statusText}.`);\r\n reject(new HttpError(xhr.statusText, xhr.status));\r\n };\r\n\r\n xhr.ontimeout = () => {\r\n this._logger.log(LogLevel.Warning, `Timeout from HTTP request.`);\r\n reject(new TimeoutError());\r\n };\r\n\r\n xhr.send(request.content);\r\n });\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { AbortError } from \"./Errors\";\r\nimport { FetchHttpClient } from \"./FetchHttpClient\";\r\nimport { HttpClient, HttpRequest, HttpResponse } from \"./HttpClient\";\r\nimport { ILogger } from \"./ILogger\";\r\nimport { Platform } from \"./Utils\";\r\nimport { XhrHttpClient } from \"./XhrHttpClient\";\r\n\r\n/** Default implementation of {@link @microsoft/signalr.HttpClient}. */\r\nexport class DefaultHttpClient extends HttpClient {\r\n private readonly _httpClient: HttpClient;\r\n\r\n /** Creates a new instance of the {@link @microsoft/signalr.DefaultHttpClient}, using the provided {@link @microsoft/signalr.ILogger} to log messages. */\r\n public constructor(logger: ILogger) {\r\n super();\r\n\r\n if (typeof fetch !== \"undefined\" || Platform.isNode) {\r\n this._httpClient = new FetchHttpClient(logger);\r\n } else if (typeof XMLHttpRequest !== \"undefined\") {\r\n this._httpClient = new XhrHttpClient(logger);\r\n } else {\r\n throw new Error(\"No usable HttpClient found.\");\r\n }\r\n }\r\n\r\n /** @inheritDoc */\r\n public send(request: HttpRequest): Promise {\r\n // Check that abort was not signaled before calling send\r\n if (request.abortSignal && request.abortSignal.aborted) {\r\n return Promise.reject(new AbortError());\r\n }\r\n\r\n if (!request.method) {\r\n return Promise.reject(new Error(\"No method defined.\"));\r\n }\r\n if (!request.url) {\r\n return Promise.reject(new Error(\"No url defined.\"));\r\n }\r\n\r\n return this._httpClient.send(request);\r\n }\r\n\r\n public getCookieString(url: string): string {\r\n return this._httpClient.getCookieString(url);\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\n// Not exported from index\r\n/** @private */\r\nexport class TextMessageFormat {\r\n public static RecordSeparatorCode = 0x1e;\r\n public static RecordSeparator = String.fromCharCode(TextMessageFormat.RecordSeparatorCode);\r\n\r\n public static write(output: string): string {\r\n return `${output}${TextMessageFormat.RecordSeparator}`;\r\n }\r\n\r\n public static parse(input: string): string[] {\r\n if (input[input.length - 1] !== TextMessageFormat.RecordSeparator) {\r\n throw new Error(\"Message is incomplete.\");\r\n }\r\n\r\n const messages = input.split(TextMessageFormat.RecordSeparator);\r\n messages.pop();\r\n return messages;\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { TextMessageFormat } from \"./TextMessageFormat\";\r\nimport { isArrayBuffer } from \"./Utils\";\r\n\r\n/** @private */\r\nexport interface HandshakeRequestMessage {\r\n readonly protocol: string;\r\n readonly version: number;\r\n}\r\n\r\n/** @private */\r\nexport interface HandshakeResponseMessage {\r\n readonly error: string;\r\n readonly minorVersion: number;\r\n}\r\n\r\n/** @private */\r\nexport class HandshakeProtocol {\r\n // Handshake request is always JSON\r\n public writeHandshakeRequest(handshakeRequest: HandshakeRequestMessage): string {\r\n return TextMessageFormat.write(JSON.stringify(handshakeRequest));\r\n }\r\n\r\n public parseHandshakeResponse(data: any): [any, HandshakeResponseMessage] {\r\n let messageData: string;\r\n let remainingData: any;\r\n\r\n if (isArrayBuffer(data)) {\r\n // Format is binary but still need to read JSON text from handshake response\r\n const binaryData = new Uint8Array(data);\r\n const separatorIndex = binaryData.indexOf(TextMessageFormat.RecordSeparatorCode);\r\n if (separatorIndex === -1) {\r\n throw new Error(\"Message is incomplete.\");\r\n }\r\n\r\n // content before separator is handshake response\r\n // optional content after is additional messages\r\n const responseLength = separatorIndex + 1;\r\n messageData = String.fromCharCode.apply(null, Array.prototype.slice.call(binaryData.slice(0, responseLength)));\r\n remainingData = (binaryData.byteLength > responseLength) ? binaryData.slice(responseLength).buffer : null;\r\n } else {\r\n const textData: string = data;\r\n const separatorIndex = textData.indexOf(TextMessageFormat.RecordSeparator);\r\n if (separatorIndex === -1) {\r\n throw new Error(\"Message is incomplete.\");\r\n }\r\n\r\n // content before separator is handshake response\r\n // optional content after is additional messages\r\n const responseLength = separatorIndex + 1;\r\n messageData = textData.substring(0, responseLength);\r\n remainingData = (textData.length > responseLength) ? textData.substring(responseLength) : null;\r\n }\r\n\r\n // At this point we should have just the single handshake message\r\n const messages = TextMessageFormat.parse(messageData);\r\n const response = JSON.parse(messages[0]);\r\n if (response.type) {\r\n throw new Error(\"Expected a handshake response from the server.\");\r\n }\r\n const responseMessage: HandshakeResponseMessage = response;\r\n\r\n // multiple messages could have arrived with handshake\r\n // return additional data to be parsed as usual, or null if all parsed\r\n return [remainingData, responseMessage];\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { ILogger } from \"./ILogger\";\r\nimport { TransferFormat } from \"./ITransport\";\r\n\r\n/** Defines the type of a Hub Message. */\r\nexport enum MessageType {\r\n /** Indicates the message is an Invocation message and implements the {@link @microsoft/signalr.InvocationMessage} interface. */\r\n Invocation = 1,\r\n /** Indicates the message is a StreamItem message and implements the {@link @microsoft/signalr.StreamItemMessage} interface. */\r\n StreamItem = 2,\r\n /** Indicates the message is a Completion message and implements the {@link @microsoft/signalr.CompletionMessage} interface. */\r\n Completion = 3,\r\n /** Indicates the message is a Stream Invocation message and implements the {@link @microsoft/signalr.StreamInvocationMessage} interface. */\r\n StreamInvocation = 4,\r\n /** Indicates the message is a Cancel Invocation message and implements the {@link @microsoft/signalr.CancelInvocationMessage} interface. */\r\n CancelInvocation = 5,\r\n /** Indicates the message is a Ping message and implements the {@link @microsoft/signalr.PingMessage} interface. */\r\n Ping = 6,\r\n /** Indicates the message is a Close message and implements the {@link @microsoft/signalr.CloseMessage} interface. */\r\n Close = 7,\r\n}\r\n\r\n/** Defines a dictionary of string keys and string values representing headers attached to a Hub message. */\r\nexport interface MessageHeaders {\r\n /** Gets or sets the header with the specified key. */\r\n [key: string]: string;\r\n}\r\n\r\n/** Union type of all known Hub messages. */\r\nexport type HubMessage =\r\n InvocationMessage |\r\n StreamInvocationMessage |\r\n StreamItemMessage |\r\n CompletionMessage |\r\n CancelInvocationMessage |\r\n PingMessage |\r\n CloseMessage;\r\n\r\n/** Defines properties common to all Hub messages. */\r\nexport interface HubMessageBase {\r\n /** A {@link @microsoft/signalr.MessageType} value indicating the type of this message. */\r\n readonly type: MessageType;\r\n}\r\n\r\n/** Defines properties common to all Hub messages relating to a specific invocation. */\r\nexport interface HubInvocationMessage extends HubMessageBase {\r\n /** A {@link @microsoft/signalr.MessageHeaders} dictionary containing headers attached to the message. */\r\n readonly headers?: MessageHeaders;\r\n /** The ID of the invocation relating to this message.\r\n *\r\n * This is expected to be present for {@link @microsoft/signalr.StreamInvocationMessage} and {@link @microsoft/signalr.CompletionMessage}. It may\r\n * be 'undefined' for an {@link @microsoft/signalr.InvocationMessage} if the sender does not expect a response.\r\n */\r\n readonly invocationId?: string;\r\n}\r\n\r\n/** A hub message representing a non-streaming invocation. */\r\nexport interface InvocationMessage extends HubInvocationMessage {\r\n /** @inheritDoc */\r\n readonly type: MessageType.Invocation;\r\n /** The target method name. */\r\n readonly target: string;\r\n /** The target method arguments. */\r\n readonly arguments: any[];\r\n /** The target methods stream IDs. */\r\n readonly streamIds?: string[];\r\n}\r\n\r\n/** A hub message representing a streaming invocation. */\r\nexport interface StreamInvocationMessage extends HubInvocationMessage {\r\n /** @inheritDoc */\r\n readonly type: MessageType.StreamInvocation;\r\n\r\n /** The invocation ID. */\r\n readonly invocationId: string;\r\n /** The target method name. */\r\n readonly target: string;\r\n /** The target method arguments. */\r\n readonly arguments: any[];\r\n /** The target methods stream IDs. */\r\n readonly streamIds?: string[];\r\n}\r\n\r\n/** A hub message representing a single item produced as part of a result stream. */\r\nexport interface StreamItemMessage extends HubInvocationMessage {\r\n /** @inheritDoc */\r\n readonly type: MessageType.StreamItem;\r\n\r\n /** The invocation ID. */\r\n readonly invocationId: string;\r\n\r\n /** The item produced by the server. */\r\n readonly item?: any;\r\n}\r\n\r\n/** A hub message representing the result of an invocation. */\r\nexport interface CompletionMessage extends HubInvocationMessage {\r\n /** @inheritDoc */\r\n readonly type: MessageType.Completion;\r\n /** The invocation ID. */\r\n readonly invocationId: string;\r\n /** The error produced by the invocation, if any.\r\n *\r\n * Either {@link @microsoft/signalr.CompletionMessage.error} or {@link @microsoft/signalr.CompletionMessage.result} must be defined, but not both.\r\n */\r\n readonly error?: string;\r\n /** The result produced by the invocation, if any.\r\n *\r\n * Either {@link @microsoft/signalr.CompletionMessage.error} or {@link @microsoft/signalr.CompletionMessage.result} must be defined, but not both.\r\n */\r\n readonly result?: any;\r\n}\r\n\r\n/** A hub message indicating that the sender is still active. */\r\nexport interface PingMessage extends HubMessageBase {\r\n /** @inheritDoc */\r\n readonly type: MessageType.Ping;\r\n}\r\n\r\n/** A hub message indicating that the sender is closing the connection.\r\n *\r\n * If {@link @microsoft/signalr.CloseMessage.error} is defined, the sender is closing the connection due to an error.\r\n */\r\nexport interface CloseMessage extends HubMessageBase {\r\n /** @inheritDoc */\r\n readonly type: MessageType.Close;\r\n /** The error that triggered the close, if any.\r\n *\r\n * If this property is undefined, the connection was closed normally and without error.\r\n */\r\n readonly error?: string;\r\n\r\n /** If true, clients with automatic reconnects enabled should attempt to reconnect after receiving the CloseMessage. Otherwise, they should not. */\r\n readonly allowReconnect?: boolean;\r\n}\r\n\r\n/** A hub message sent to request that a streaming invocation be canceled. */\r\nexport interface CancelInvocationMessage extends HubInvocationMessage {\r\n /** @inheritDoc */\r\n readonly type: MessageType.CancelInvocation;\r\n /** The invocation ID. */\r\n readonly invocationId: string;\r\n}\r\n\r\n/** A protocol abstraction for communicating with SignalR Hubs. */\r\nexport interface IHubProtocol {\r\n /** The name of the protocol. This is used by SignalR to resolve the protocol between the client and server. */\r\n readonly name: string;\r\n /** The version of the protocol. */\r\n readonly version: number;\r\n /** The {@link @microsoft/signalr.TransferFormat} of the protocol. */\r\n readonly transferFormat: TransferFormat;\r\n\r\n /** Creates an array of {@link @microsoft/signalr.HubMessage} objects from the specified serialized representation.\r\n *\r\n * If {@link @microsoft/signalr.IHubProtocol.transferFormat} is 'Text', the `input` parameter must be a string, otherwise it must be an ArrayBuffer.\r\n *\r\n * @param {string | ArrayBuffer} input A string or ArrayBuffer containing the serialized representation.\r\n * @param {ILogger} logger A logger that will be used to log messages that occur during parsing.\r\n */\r\n parseMessages(input: string | ArrayBuffer, logger: ILogger): HubMessage[];\r\n\r\n /** Writes the specified {@link @microsoft/signalr.HubMessage} to a string or ArrayBuffer and returns it.\r\n *\r\n * If {@link @microsoft/signalr.IHubProtocol.transferFormat} is 'Text', the result of this method will be a string, otherwise it will be an ArrayBuffer.\r\n *\r\n * @param {HubMessage} message The message to write.\r\n * @returns {string | ArrayBuffer} A string or ArrayBuffer containing the serialized representation of the message.\r\n */\r\n writeMessage(message: HubMessage): string | ArrayBuffer;\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { IStreamResult, IStreamSubscriber, ISubscription } from \"./Stream\";\r\nimport { SubjectSubscription } from \"./Utils\";\r\n\r\n/** Stream implementation to stream items to the server. */\r\nexport class Subject implements IStreamResult {\r\n /** @internal */\r\n public observers: IStreamSubscriber[];\r\n\r\n /** @internal */\r\n public cancelCallback?: () => Promise;\r\n\r\n constructor() {\r\n this.observers = [];\r\n }\r\n\r\n public next(item: T): void {\r\n for (const observer of this.observers) {\r\n observer.next(item);\r\n }\r\n }\r\n\r\n public error(err: any): void {\r\n for (const observer of this.observers) {\r\n if (observer.error) {\r\n observer.error(err);\r\n }\r\n }\r\n }\r\n\r\n public complete(): void {\r\n for (const observer of this.observers) {\r\n if (observer.complete) {\r\n observer.complete();\r\n }\r\n }\r\n }\r\n\r\n public subscribe(observer: IStreamSubscriber): ISubscription {\r\n this.observers.push(observer);\r\n return new SubjectSubscription(this, observer);\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { HandshakeProtocol, HandshakeRequestMessage, HandshakeResponseMessage } from \"./HandshakeProtocol\";\r\nimport { IConnection } from \"./IConnection\";\r\nimport { AbortError } from \"./Errors\";\r\nimport { CancelInvocationMessage, CompletionMessage, IHubProtocol, InvocationMessage, MessageType, StreamInvocationMessage, StreamItemMessage } from \"./IHubProtocol\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { IRetryPolicy } from \"./IRetryPolicy\";\r\nimport { IStreamResult } from \"./Stream\";\r\nimport { Subject } from \"./Subject\";\r\nimport { Arg, getErrorString, Platform } from \"./Utils\";\r\n\r\nconst DEFAULT_TIMEOUT_IN_MS: number = 30 * 1000;\r\nconst DEFAULT_PING_INTERVAL_IN_MS: number = 15 * 1000;\r\n\r\n/** Describes the current state of the {@link HubConnection} to the server. */\r\nexport enum HubConnectionState {\r\n /** The hub connection is disconnected. */\r\n Disconnected = \"Disconnected\",\r\n /** The hub connection is connecting. */\r\n Connecting = \"Connecting\",\r\n /** The hub connection is connected. */\r\n Connected = \"Connected\",\r\n /** The hub connection is disconnecting. */\r\n Disconnecting = \"Disconnecting\",\r\n /** The hub connection is reconnecting. */\r\n Reconnecting = \"Reconnecting\",\r\n}\r\n\r\n/** Represents a connection to a SignalR Hub. */\r\nexport class HubConnection {\r\n private readonly _cachedPingMessage: string | ArrayBuffer;\r\n // Needs to not start with _ for tests\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private readonly connection: IConnection;\r\n private readonly _logger: ILogger;\r\n private readonly _reconnectPolicy?: IRetryPolicy;\r\n private _protocol: IHubProtocol;\r\n private _handshakeProtocol: HandshakeProtocol;\r\n private _callbacks: { [invocationId: string]: (invocationEvent: StreamItemMessage | CompletionMessage | null, error?: Error) => void };\r\n private _methods: { [name: string]: (((...args: any[]) => void) | ((...args: any[]) => any))[] };\r\n private _invocationId: number;\r\n\r\n private _closedCallbacks: ((error?: Error) => void)[];\r\n private _reconnectingCallbacks: ((error?: Error) => void)[];\r\n private _reconnectedCallbacks: ((connectionId?: string) => void)[];\r\n\r\n private _receivedHandshakeResponse: boolean;\r\n private _handshakeResolver!: (value?: PromiseLike<{}>) => void;\r\n private _handshakeRejecter!: (reason?: any) => void;\r\n private _stopDuringStartError?: Error;\r\n\r\n private _connectionState: HubConnectionState;\r\n // connectionStarted is tracked independently from connectionState, so we can check if the\r\n // connection ever did successfully transition from connecting to connected before disconnecting.\r\n private _connectionStarted: boolean;\r\n private _startPromise?: Promise;\r\n private _stopPromise?: Promise;\r\n private _nextKeepAlive: number = 0;\r\n\r\n // The type of these a) doesn't matter and b) varies when building in browser and node contexts\r\n // Since we're building the WebPack bundle directly from the TypeScript, this matters (previously\r\n // we built the bundle from the compiled JavaScript).\r\n private _reconnectDelayHandle?: any;\r\n private _timeoutHandle?: any;\r\n private _pingServerHandle?: any;\r\n\r\n private _freezeEventListener = () =>\r\n {\r\n this._logger.log(LogLevel.Warning, \"The page is being frozen, this will likely lead to the connection being closed and messages being lost. For more information see the docs at https://docs.microsoft.com/aspnet/core/signalr/javascript-client#bsleep\");\r\n };\r\n\r\n /** The server timeout in milliseconds.\r\n *\r\n * If this timeout elapses without receiving any messages from the server, the connection will be terminated with an error.\r\n * The default timeout value is 30,000 milliseconds (30 seconds).\r\n */\r\n public serverTimeoutInMilliseconds: number;\r\n\r\n /** Default interval at which to ping the server.\r\n *\r\n * The default value is 15,000 milliseconds (15 seconds).\r\n * Allows the server to detect hard disconnects (like when a client unplugs their computer).\r\n * The ping will happen at most as often as the server pings.\r\n * If the server pings every 5 seconds, a value lower than 5 will ping every 5 seconds.\r\n */\r\n public keepAliveIntervalInMilliseconds: number;\r\n\r\n /** @internal */\r\n // Using a public static factory method means we can have a private constructor and an _internal_\r\n // create method that can be used by HubConnectionBuilder. An \"internal\" constructor would just\r\n // be stripped away and the '.d.ts' file would have no constructor, which is interpreted as a\r\n // public parameter-less constructor.\r\n public static create(connection: IConnection, logger: ILogger, protocol: IHubProtocol, reconnectPolicy?: IRetryPolicy): HubConnection {\r\n return new HubConnection(connection, logger, protocol, reconnectPolicy);\r\n }\r\n\r\n private constructor(connection: IConnection, logger: ILogger, protocol: IHubProtocol, reconnectPolicy?: IRetryPolicy) {\r\n Arg.isRequired(connection, \"connection\");\r\n Arg.isRequired(logger, \"logger\");\r\n Arg.isRequired(protocol, \"protocol\");\r\n\r\n this.serverTimeoutInMilliseconds = DEFAULT_TIMEOUT_IN_MS;\r\n this.keepAliveIntervalInMilliseconds = DEFAULT_PING_INTERVAL_IN_MS;\r\n\r\n this._logger = logger;\r\n this._protocol = protocol;\r\n this.connection = connection;\r\n this._reconnectPolicy = reconnectPolicy;\r\n this._handshakeProtocol = new HandshakeProtocol();\r\n\r\n this.connection.onreceive = (data: any) => this._processIncomingData(data);\r\n this.connection.onclose = (error?: Error) => this._connectionClosed(error);\r\n\r\n this._callbacks = {};\r\n this._methods = {};\r\n this._closedCallbacks = [];\r\n this._reconnectingCallbacks = [];\r\n this._reconnectedCallbacks = [];\r\n this._invocationId = 0;\r\n this._receivedHandshakeResponse = false;\r\n this._connectionState = HubConnectionState.Disconnected;\r\n this._connectionStarted = false;\r\n\r\n this._cachedPingMessage = this._protocol.writeMessage({ type: MessageType.Ping });\r\n }\r\n\r\n /** Indicates the state of the {@link HubConnection} to the server. */\r\n get state(): HubConnectionState {\r\n return this._connectionState;\r\n }\r\n\r\n /** Represents the connection id of the {@link HubConnection} on the server. The connection id will be null when the connection is either\r\n * in the disconnected state or if the negotiation step was skipped.\r\n */\r\n get connectionId(): string | null {\r\n return this.connection ? (this.connection.connectionId || null) : null;\r\n }\r\n\r\n /** Indicates the url of the {@link HubConnection} to the server. */\r\n get baseUrl(): string {\r\n return this.connection.baseUrl || \"\";\r\n }\r\n\r\n /**\r\n * Sets a new url for the HubConnection. Note that the url can only be changed when the connection is in either the Disconnected or\r\n * Reconnecting states.\r\n * @param {string} url The url to connect to.\r\n */\r\n set baseUrl(url: string) {\r\n if (this._connectionState !== HubConnectionState.Disconnected && this._connectionState !== HubConnectionState.Reconnecting) {\r\n throw new Error(\"The HubConnection must be in the Disconnected or Reconnecting state to change the url.\");\r\n }\r\n\r\n if (!url) {\r\n throw new Error(\"The HubConnection url must be a valid url.\");\r\n }\r\n\r\n this.connection.baseUrl = url;\r\n }\r\n\r\n /** Starts the connection.\r\n *\r\n * @returns {Promise} A Promise that resolves when the connection has been successfully established, or rejects with an error.\r\n */\r\n public start(): Promise {\r\n this._startPromise = this._startWithStateTransitions();\r\n return this._startPromise;\r\n }\r\n\r\n private async _startWithStateTransitions(): Promise {\r\n if (this._connectionState !== HubConnectionState.Disconnected) {\r\n return Promise.reject(new Error(\"Cannot start a HubConnection that is not in the 'Disconnected' state.\"));\r\n }\r\n\r\n this._connectionState = HubConnectionState.Connecting;\r\n this._logger.log(LogLevel.Debug, \"Starting HubConnection.\");\r\n\r\n try {\r\n await this._startInternal();\r\n\r\n if (Platform.isBrowser) {\r\n // Log when the browser freezes the tab so users know why their connection unexpectedly stopped working\r\n window.document.addEventListener(\"freeze\", this._freezeEventListener);\r\n }\r\n\r\n this._connectionState = HubConnectionState.Connected;\r\n this._connectionStarted = true;\r\n this._logger.log(LogLevel.Debug, \"HubConnection connected successfully.\");\r\n } catch (e) {\r\n this._connectionState = HubConnectionState.Disconnected;\r\n this._logger.log(LogLevel.Debug, `HubConnection failed to start successfully because of error '${e}'.`);\r\n return Promise.reject(e);\r\n }\r\n }\r\n\r\n private async _startInternal() {\r\n this._stopDuringStartError = undefined;\r\n this._receivedHandshakeResponse = false;\r\n // Set up the promise before any connection is (re)started otherwise it could race with received messages\r\n const handshakePromise = new Promise((resolve, reject) => {\r\n this._handshakeResolver = resolve;\r\n this._handshakeRejecter = reject;\r\n });\r\n\r\n await this.connection.start(this._protocol.transferFormat);\r\n\r\n try {\r\n const handshakeRequest: HandshakeRequestMessage = {\r\n protocol: this._protocol.name,\r\n version: this._protocol.version,\r\n };\r\n\r\n this._logger.log(LogLevel.Debug, \"Sending handshake request.\");\r\n\r\n await this._sendMessage(this._handshakeProtocol.writeHandshakeRequest(handshakeRequest));\r\n\r\n this._logger.log(LogLevel.Information, `Using HubProtocol '${this._protocol.name}'.`);\r\n\r\n // defensively cleanup timeout in case we receive a message from the server before we finish start\r\n this._cleanupTimeout();\r\n this._resetTimeoutPeriod();\r\n this._resetKeepAliveInterval();\r\n\r\n await handshakePromise;\r\n\r\n // It's important to check the stopDuringStartError instead of just relying on the handshakePromise\r\n // being rejected on close, because this continuation can run after both the handshake completed successfully\r\n // and the connection was closed.\r\n if (this._stopDuringStartError) {\r\n // It's important to throw instead of returning a rejected promise, because we don't want to allow any state\r\n // transitions to occur between now and the calling code observing the exceptions. Returning a rejected promise\r\n // will cause the calling continuation to get scheduled to run later.\r\n // eslint-disable-next-line @typescript-eslint/no-throw-literal\r\n throw this._stopDuringStartError;\r\n }\r\n\r\n if (!this.connection.features.inherentKeepAlive) {\r\n await this._sendMessage(this._cachedPingMessage);\r\n }\r\n } catch (e) {\r\n this._logger.log(LogLevel.Debug, `Hub handshake failed with error '${e}' during start(). Stopping HubConnection.`);\r\n\r\n this._cleanupTimeout();\r\n this._cleanupPingTimer();\r\n\r\n // HttpConnection.stop() should not complete until after the onclose callback is invoked.\r\n // This will transition the HubConnection to the disconnected state before HttpConnection.stop() completes.\r\n await this.connection.stop(e);\r\n throw e;\r\n }\r\n }\r\n\r\n /** Stops the connection.\r\n *\r\n * @returns {Promise} A Promise that resolves when the connection has been successfully terminated, or rejects with an error.\r\n */\r\n public async stop(): Promise {\r\n // Capture the start promise before the connection might be restarted in an onclose callback.\r\n const startPromise = this._startPromise;\r\n\r\n this._stopPromise = this._stopInternal();\r\n await this._stopPromise;\r\n\r\n try {\r\n // Awaiting undefined continues immediately\r\n await startPromise;\r\n } catch (e) {\r\n // This exception is returned to the user as a rejected Promise from the start method.\r\n }\r\n }\r\n\r\n private _stopInternal(error?: Error): Promise {\r\n if (this._connectionState === HubConnectionState.Disconnected) {\r\n this._logger.log(LogLevel.Debug, `Call to HubConnection.stop(${error}) ignored because it is already in the disconnected state.`);\r\n return Promise.resolve();\r\n }\r\n\r\n if (this._connectionState === HubConnectionState.Disconnecting) {\r\n this._logger.log(LogLevel.Debug, `Call to HttpConnection.stop(${error}) ignored because the connection is already in the disconnecting state.`);\r\n return this._stopPromise!;\r\n }\r\n\r\n this._connectionState = HubConnectionState.Disconnecting;\r\n\r\n this._logger.log(LogLevel.Debug, \"Stopping HubConnection.\");\r\n\r\n if (this._reconnectDelayHandle) {\r\n // We're in a reconnect delay which means the underlying connection is currently already stopped.\r\n // Just clear the handle to stop the reconnect loop (which no one is waiting on thankfully) and\r\n // fire the onclose callbacks.\r\n this._logger.log(LogLevel.Debug, \"Connection stopped during reconnect delay. Done reconnecting.\");\r\n\r\n clearTimeout(this._reconnectDelayHandle);\r\n this._reconnectDelayHandle = undefined;\r\n\r\n this._completeClose();\r\n return Promise.resolve();\r\n }\r\n\r\n this._cleanupTimeout();\r\n this._cleanupPingTimer();\r\n this._stopDuringStartError = error || new AbortError(\"The connection was stopped before the hub handshake could complete.\");\r\n\r\n // HttpConnection.stop() should not complete until after either HttpConnection.start() fails\r\n // or the onclose callback is invoked. The onclose callback will transition the HubConnection\r\n // to the disconnected state if need be before HttpConnection.stop() completes.\r\n return this.connection.stop(error);\r\n }\r\n\r\n /** Invokes a streaming hub method on the server using the specified name and arguments.\r\n *\r\n * @typeparam T The type of the items returned by the server.\r\n * @param {string} methodName The name of the server method to invoke.\r\n * @param {any[]} args The arguments used to invoke the server method.\r\n * @returns {IStreamResult} An object that yields results from the server as they are received.\r\n */\r\n public stream(methodName: string, ...args: any[]): IStreamResult {\r\n const [streams, streamIds] = this._replaceStreamingParams(args);\r\n const invocationDescriptor = this._createStreamInvocation(methodName, args, streamIds);\r\n\r\n // eslint-disable-next-line prefer-const\r\n let promiseQueue: Promise;\r\n\r\n const subject = new Subject();\r\n subject.cancelCallback = () => {\r\n const cancelInvocation: CancelInvocationMessage = this._createCancelInvocation(invocationDescriptor.invocationId);\r\n\r\n delete this._callbacks[invocationDescriptor.invocationId];\r\n\r\n return promiseQueue.then(() => {\r\n return this._sendWithProtocol(cancelInvocation);\r\n });\r\n };\r\n\r\n this._callbacks[invocationDescriptor.invocationId] = (invocationEvent: CompletionMessage | StreamItemMessage | null, error?: Error) => {\r\n if (error) {\r\n subject.error(error);\r\n return;\r\n } else if (invocationEvent) {\r\n // invocationEvent will not be null when an error is not passed to the callback\r\n if (invocationEvent.type === MessageType.Completion) {\r\n if (invocationEvent.error) {\r\n subject.error(new Error(invocationEvent.error));\r\n } else {\r\n subject.complete();\r\n }\r\n } else {\r\n subject.next((invocationEvent.item) as T);\r\n }\r\n }\r\n };\r\n\r\n promiseQueue = this._sendWithProtocol(invocationDescriptor)\r\n .catch((e) => {\r\n subject.error(e);\r\n delete this._callbacks[invocationDescriptor.invocationId];\r\n });\r\n\r\n this._launchStreams(streams, promiseQueue);\r\n\r\n return subject;\r\n }\r\n\r\n private _sendMessage(message: any) {\r\n this._resetKeepAliveInterval();\r\n return this.connection.send(message);\r\n }\r\n\r\n /**\r\n * Sends a js object to the server.\r\n * @param message The js object to serialize and send.\r\n */\r\n private _sendWithProtocol(message: any) {\r\n return this._sendMessage(this._protocol.writeMessage(message));\r\n }\r\n\r\n /** Invokes a hub method on the server using the specified name and arguments. Does not wait for a response from the receiver.\r\n *\r\n * The Promise returned by this method resolves when the client has sent the invocation to the server. The server may still\r\n * be processing the invocation.\r\n *\r\n * @param {string} methodName The name of the server method to invoke.\r\n * @param {any[]} args The arguments used to invoke the server method.\r\n * @returns {Promise} A Promise that resolves when the invocation has been successfully sent, or rejects with an error.\r\n */\r\n public send(methodName: string, ...args: any[]): Promise {\r\n const [streams, streamIds] = this._replaceStreamingParams(args);\r\n const sendPromise = this._sendWithProtocol(this._createInvocation(methodName, args, true, streamIds));\r\n\r\n this._launchStreams(streams, sendPromise);\r\n\r\n return sendPromise;\r\n }\r\n\r\n /** Invokes a hub method on the server using the specified name and arguments.\r\n *\r\n * The Promise returned by this method resolves when the server indicates it has finished invoking the method. When the promise\r\n * resolves, the server has finished invoking the method. If the server method returns a result, it is produced as the result of\r\n * resolving the Promise.\r\n *\r\n * @typeparam T The expected return type.\r\n * @param {string} methodName The name of the server method to invoke.\r\n * @param {any[]} args The arguments used to invoke the server method.\r\n * @returns {Promise} A Promise that resolves with the result of the server method (if any), or rejects with an error.\r\n */\r\n public invoke(methodName: string, ...args: any[]): Promise {\r\n const [streams, streamIds] = this._replaceStreamingParams(args);\r\n const invocationDescriptor = this._createInvocation(methodName, args, false, streamIds);\r\n\r\n const p = new Promise((resolve, reject) => {\r\n // invocationId will always have a value for a non-blocking invocation\r\n this._callbacks[invocationDescriptor.invocationId!] = (invocationEvent: StreamItemMessage | CompletionMessage | null, error?: Error) => {\r\n if (error) {\r\n reject(error);\r\n return;\r\n } else if (invocationEvent) {\r\n // invocationEvent will not be null when an error is not passed to the callback\r\n if (invocationEvent.type === MessageType.Completion) {\r\n if (invocationEvent.error) {\r\n reject(new Error(invocationEvent.error));\r\n } else {\r\n resolve(invocationEvent.result);\r\n }\r\n } else {\r\n reject(new Error(`Unexpected message type: ${invocationEvent.type}`));\r\n }\r\n }\r\n };\r\n\r\n const promiseQueue = this._sendWithProtocol(invocationDescriptor)\r\n .catch((e) => {\r\n reject(e);\r\n // invocationId will always have a value for a non-blocking invocation\r\n delete this._callbacks[invocationDescriptor.invocationId!];\r\n });\r\n\r\n this._launchStreams(streams, promiseQueue);\r\n });\r\n\r\n return p;\r\n }\r\n\r\n /** Registers a handler that will be invoked when the hub method with the specified method name is invoked.\r\n *\r\n * @param {string} methodName The name of the hub method to define.\r\n * @param {Function} newMethod The handler that will be raised when the hub method is invoked.\r\n */\r\n public on(methodName: string, newMethod: (...args: any[]) => any): void\r\n public on(methodName: string, newMethod: (...args: any[]) => void): void {\r\n if (!methodName || !newMethod) {\r\n return;\r\n }\r\n\r\n methodName = methodName.toLowerCase();\r\n if (!this._methods[methodName]) {\r\n this._methods[methodName] = [];\r\n }\r\n\r\n // Preventing adding the same handler multiple times.\r\n if (this._methods[methodName].indexOf(newMethod) !== -1) {\r\n return;\r\n }\r\n\r\n this._methods[methodName].push(newMethod);\r\n }\r\n\r\n /** Removes all handlers for the specified hub method.\r\n *\r\n * @param {string} methodName The name of the method to remove handlers for.\r\n */\r\n public off(methodName: string): void;\r\n\r\n /** Removes the specified handler for the specified hub method.\r\n *\r\n * You must pass the exact same Function instance as was previously passed to {@link @microsoft/signalr.HubConnection.on}. Passing a different instance (even if the function\r\n * body is the same) will not remove the handler.\r\n *\r\n * @param {string} methodName The name of the method to remove handlers for.\r\n * @param {Function} method The handler to remove. This must be the same Function instance as the one passed to {@link @microsoft/signalr.HubConnection.on}.\r\n */\r\n public off(methodName: string, method: (...args: any[]) => void): void;\r\n public off(methodName: string, method?: (...args: any[]) => void): void {\r\n if (!methodName) {\r\n return;\r\n }\r\n\r\n methodName = methodName.toLowerCase();\r\n const handlers = this._methods[methodName];\r\n if (!handlers) {\r\n return;\r\n }\r\n if (method) {\r\n const removeIdx = handlers.indexOf(method);\r\n if (removeIdx !== -1) {\r\n handlers.splice(removeIdx, 1);\r\n if (handlers.length === 0) {\r\n delete this._methods[methodName];\r\n }\r\n }\r\n } else {\r\n delete this._methods[methodName];\r\n }\r\n\r\n }\r\n\r\n /** Registers a handler that will be invoked when the connection is closed.\r\n *\r\n * @param {Function} callback The handler that will be invoked when the connection is closed. Optionally receives a single argument containing the error that caused the connection to close (if any).\r\n */\r\n public onclose(callback: (error?: Error) => void): void {\r\n if (callback) {\r\n this._closedCallbacks.push(callback);\r\n }\r\n }\r\n\r\n /** Registers a handler that will be invoked when the connection starts reconnecting.\r\n *\r\n * @param {Function} callback The handler that will be invoked when the connection starts reconnecting. Optionally receives a single argument containing the error that caused the connection to start reconnecting (if any).\r\n */\r\n public onreconnecting(callback: (error?: Error) => void): void {\r\n if (callback) {\r\n this._reconnectingCallbacks.push(callback);\r\n }\r\n }\r\n\r\n /** Registers a handler that will be invoked when the connection successfully reconnects.\r\n *\r\n * @param {Function} callback The handler that will be invoked when the connection successfully reconnects.\r\n */\r\n public onreconnected(callback: (connectionId?: string) => void): void {\r\n if (callback) {\r\n this._reconnectedCallbacks.push(callback);\r\n }\r\n }\r\n\r\n private _processIncomingData(data: any) {\r\n this._cleanupTimeout();\r\n\r\n if (!this._receivedHandshakeResponse) {\r\n data = this._processHandshakeResponse(data);\r\n this._receivedHandshakeResponse = true;\r\n }\r\n\r\n // Data may have all been read when processing handshake response\r\n if (data) {\r\n // Parse the messages\r\n const messages = this._protocol.parseMessages(data, this._logger);\r\n\r\n for (const message of messages) {\r\n switch (message.type) {\r\n case MessageType.Invocation:\r\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\r\n this._invokeClientMethod(message);\r\n break;\r\n case MessageType.StreamItem:\r\n case MessageType.Completion: {\r\n const callback = this._callbacks[message.invocationId];\r\n if (callback) {\r\n if (message.type === MessageType.Completion) {\r\n delete this._callbacks[message.invocationId];\r\n }\r\n try {\r\n callback(message);\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, `Stream callback threw error: ${getErrorString(e)}`);\r\n }\r\n }\r\n break;\r\n }\r\n case MessageType.Ping:\r\n // Don't care about pings\r\n break;\r\n case MessageType.Close: {\r\n this._logger.log(LogLevel.Information, \"Close message received from server.\");\r\n\r\n const error = message.error ? new Error(\"Server returned an error on close: \" + message.error) : undefined;\r\n\r\n if (message.allowReconnect === true) {\r\n // It feels wrong not to await connection.stop() here, but processIncomingData is called as part of an onreceive callback which is not async,\r\n // this is already the behavior for serverTimeout(), and HttpConnection.Stop() should catch and log all possible exceptions.\r\n\r\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\r\n this.connection.stop(error);\r\n } else {\r\n // We cannot await stopInternal() here, but subsequent calls to stop() will await this if stopInternal() is still ongoing.\r\n this._stopPromise = this._stopInternal(error);\r\n }\r\n\r\n break;\r\n }\r\n default:\r\n this._logger.log(LogLevel.Warning, `Invalid message type: ${message.type}.`);\r\n break;\r\n }\r\n }\r\n }\r\n\r\n this._resetTimeoutPeriod();\r\n }\r\n\r\n private _processHandshakeResponse(data: any): any {\r\n let responseMessage: HandshakeResponseMessage;\r\n let remainingData: any;\r\n\r\n try {\r\n [remainingData, responseMessage] = this._handshakeProtocol.parseHandshakeResponse(data);\r\n } catch (e) {\r\n const message = \"Error parsing handshake response: \" + e;\r\n this._logger.log(LogLevel.Error, message);\r\n\r\n const error = new Error(message);\r\n this._handshakeRejecter(error);\r\n throw error;\r\n }\r\n if (responseMessage.error) {\r\n const message = \"Server returned handshake error: \" + responseMessage.error;\r\n this._logger.log(LogLevel.Error, message);\r\n\r\n const error = new Error(message);\r\n this._handshakeRejecter(error);\r\n throw error;\r\n } else {\r\n this._logger.log(LogLevel.Debug, \"Server handshake complete.\");\r\n }\r\n\r\n this._handshakeResolver();\r\n return remainingData;\r\n }\r\n\r\n private _resetKeepAliveInterval() {\r\n if (this.connection.features.inherentKeepAlive) {\r\n return;\r\n }\r\n\r\n // Set the time we want the next keep alive to be sent\r\n // Timer will be setup on next message receive\r\n this._nextKeepAlive = new Date().getTime() + this.keepAliveIntervalInMilliseconds;\r\n\r\n this._cleanupPingTimer();\r\n }\r\n\r\n private _resetTimeoutPeriod() {\r\n if (!this.connection.features || !this.connection.features.inherentKeepAlive) {\r\n // Set the timeout timer\r\n this._timeoutHandle = setTimeout(() => this.serverTimeout(), this.serverTimeoutInMilliseconds);\r\n\r\n // Set keepAlive timer if there isn't one\r\n if (this._pingServerHandle === undefined)\r\n {\r\n let nextPing = this._nextKeepAlive - new Date().getTime();\r\n if (nextPing < 0) {\r\n nextPing = 0;\r\n }\r\n\r\n // The timer needs to be set from a networking callback to avoid Chrome timer throttling from causing timers to run once a minute\r\n this._pingServerHandle = setTimeout(async () => {\r\n if (this._connectionState === HubConnectionState.Connected) {\r\n try {\r\n await this._sendMessage(this._cachedPingMessage);\r\n } catch {\r\n // We don't care about the error. It should be seen elsewhere in the client.\r\n // The connection is probably in a bad or closed state now, cleanup the timer so it stops triggering\r\n this._cleanupPingTimer();\r\n }\r\n }\r\n }, nextPing);\r\n }\r\n }\r\n }\r\n\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private serverTimeout() {\r\n // The server hasn't talked to us in a while. It doesn't like us anymore ... :(\r\n // Terminate the connection, but we don't need to wait on the promise. This could trigger reconnecting.\r\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\r\n this.connection.stop(new Error(\"Server timeout elapsed without receiving a message from the server.\"));\r\n }\r\n\r\n private async _invokeClientMethod(invocationMessage: InvocationMessage) {\r\n const methodName = invocationMessage.target.toLowerCase();\r\n const methods = this._methods[methodName];\r\n if (!methods) {\r\n this._logger.log(LogLevel.Warning, `No client method with the name '${methodName}' found.`);\r\n\r\n // No handlers provided by client but the server is expecting a response still, so we send an error\r\n if (invocationMessage.invocationId) {\r\n this._logger.log(LogLevel.Warning, `No result given for '${methodName}' method and invocation ID '${invocationMessage.invocationId}'.`);\r\n await this._sendWithProtocol(this._createCompletionMessage(invocationMessage.invocationId, \"Client didn't provide a result.\", null));\r\n }\r\n return;\r\n }\r\n\r\n // Avoid issues with handlers removing themselves thus modifying the list while iterating through it\r\n const methodsCopy = methods.slice();\r\n\r\n // Server expects a response\r\n const expectsResponse = invocationMessage.invocationId ? true : false;\r\n // We preserve the last result or exception but still call all handlers\r\n let res;\r\n let exception;\r\n let completionMessage;\r\n for (const m of methodsCopy) {\r\n try {\r\n const prevRes = res;\r\n res = await m.apply(this, invocationMessage.arguments);\r\n if (expectsResponse && res && prevRes) {\r\n this._logger.log(LogLevel.Error, `Multiple results provided for '${methodName}'. Sending error to server.`);\r\n completionMessage = this._createCompletionMessage(invocationMessage.invocationId!, `Client provided multiple results.`, null);\r\n }\r\n // Ignore exception if we got a result after, the exception will be logged\r\n exception = undefined;\r\n } catch (e) {\r\n exception = e;\r\n this._logger.log(LogLevel.Error, `A callback for the method '${methodName}' threw error '${e}'.`);\r\n }\r\n }\r\n if (completionMessage) {\r\n await this._sendWithProtocol(completionMessage);\r\n } else if (expectsResponse) {\r\n // If there is an exception that means either no result was given or a handler after a result threw\r\n if (exception) {\r\n completionMessage = this._createCompletionMessage(invocationMessage.invocationId!, `${exception}`, null);\r\n } else if (res !== undefined) {\r\n completionMessage = this._createCompletionMessage(invocationMessage.invocationId!, null, res);\r\n } else {\r\n this._logger.log(LogLevel.Warning, `No result given for '${methodName}' method and invocation ID '${invocationMessage.invocationId}'.`);\r\n // Client didn't provide a result or throw from a handler, server expects a response so we send an error\r\n completionMessage = this._createCompletionMessage(invocationMessage.invocationId!, \"Client didn't provide a result.\", null);\r\n }\r\n await this._sendWithProtocol(completionMessage);\r\n } else {\r\n if (res) {\r\n this._logger.log(LogLevel.Error, `Result given for '${methodName}' method but server is not expecting a result.`);\r\n }\r\n }\r\n }\r\n\r\n private _connectionClosed(error?: Error) {\r\n this._logger.log(LogLevel.Debug, `HubConnection.connectionClosed(${error}) called while in state ${this._connectionState}.`);\r\n\r\n // Triggering this.handshakeRejecter is insufficient because it could already be resolved without the continuation having run yet.\r\n this._stopDuringStartError = this._stopDuringStartError || error || new AbortError(\"The underlying connection was closed before the hub handshake could complete.\");\r\n\r\n // If the handshake is in progress, start will be waiting for the handshake promise, so we complete it.\r\n // If it has already completed, this should just noop.\r\n if (this._handshakeResolver) {\r\n this._handshakeResolver();\r\n }\r\n\r\n this._cancelCallbacksWithError(error || new Error(\"Invocation canceled due to the underlying connection being closed.\"));\r\n\r\n this._cleanupTimeout();\r\n this._cleanupPingTimer();\r\n\r\n if (this._connectionState === HubConnectionState.Disconnecting) {\r\n this._completeClose(error);\r\n } else if (this._connectionState === HubConnectionState.Connected && this._reconnectPolicy) {\r\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\r\n this._reconnect(error);\r\n } else if (this._connectionState === HubConnectionState.Connected) {\r\n this._completeClose(error);\r\n }\r\n\r\n // If none of the above if conditions were true were called the HubConnection must be in either:\r\n // 1. The Connecting state in which case the handshakeResolver will complete it and stopDuringStartError will fail it.\r\n // 2. The Reconnecting state in which case the handshakeResolver will complete it and stopDuringStartError will fail the current reconnect attempt\r\n // and potentially continue the reconnect() loop.\r\n // 3. The Disconnected state in which case we're already done.\r\n }\r\n\r\n private _completeClose(error?: Error) {\r\n if (this._connectionStarted) {\r\n this._connectionState = HubConnectionState.Disconnected;\r\n this._connectionStarted = false;\r\n\r\n if (Platform.isBrowser) {\r\n window.document.removeEventListener(\"freeze\", this._freezeEventListener);\r\n }\r\n\r\n try {\r\n this._closedCallbacks.forEach((c) => c.apply(this, [error]));\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, `An onclose callback called with error '${error}' threw error '${e}'.`);\r\n }\r\n }\r\n }\r\n\r\n private async _reconnect(error?: Error) {\r\n const reconnectStartTime = Date.now();\r\n let previousReconnectAttempts = 0;\r\n let retryError = error !== undefined ? error : new Error(\"Attempting to reconnect due to a unknown error.\");\r\n\r\n let nextRetryDelay = this._getNextRetryDelay(previousReconnectAttempts++, 0, retryError);\r\n\r\n if (nextRetryDelay === null) {\r\n this._logger.log(LogLevel.Debug, \"Connection not reconnecting because the IRetryPolicy returned null on the first reconnect attempt.\");\r\n this._completeClose(error);\r\n return;\r\n }\r\n\r\n this._connectionState = HubConnectionState.Reconnecting;\r\n\r\n if (error) {\r\n this._logger.log(LogLevel.Information, `Connection reconnecting because of error '${error}'.`);\r\n } else {\r\n this._logger.log(LogLevel.Information, \"Connection reconnecting.\");\r\n }\r\n\r\n if (this._reconnectingCallbacks.length !== 0) {\r\n try {\r\n this._reconnectingCallbacks.forEach((c) => c.apply(this, [error]));\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, `An onreconnecting callback called with error '${error}' threw error '${e}'.`);\r\n }\r\n\r\n // Exit early if an onreconnecting callback called connection.stop().\r\n if (this._connectionState !== HubConnectionState.Reconnecting) {\r\n this._logger.log(LogLevel.Debug, \"Connection left the reconnecting state in onreconnecting callback. Done reconnecting.\");\r\n return;\r\n }\r\n }\r\n\r\n while (nextRetryDelay !== null) {\r\n this._logger.log(LogLevel.Information, `Reconnect attempt number ${previousReconnectAttempts} will start in ${nextRetryDelay} ms.`);\r\n\r\n await new Promise((resolve) => {\r\n this._reconnectDelayHandle = setTimeout(resolve, nextRetryDelay!);\r\n });\r\n this._reconnectDelayHandle = undefined;\r\n\r\n if (this._connectionState !== HubConnectionState.Reconnecting) {\r\n this._logger.log(LogLevel.Debug, \"Connection left the reconnecting state during reconnect delay. Done reconnecting.\");\r\n return;\r\n }\r\n\r\n try {\r\n await this._startInternal();\r\n\r\n this._connectionState = HubConnectionState.Connected;\r\n this._logger.log(LogLevel.Information, \"HubConnection reconnected successfully.\");\r\n\r\n if (this._reconnectedCallbacks.length !== 0) {\r\n try {\r\n this._reconnectedCallbacks.forEach((c) => c.apply(this, [this.connection.connectionId]));\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, `An onreconnected callback called with connectionId '${this.connection.connectionId}; threw error '${e}'.`);\r\n }\r\n }\r\n\r\n return;\r\n } catch (e) {\r\n this._logger.log(LogLevel.Information, `Reconnect attempt failed because of error '${e}'.`);\r\n\r\n if (this._connectionState !== HubConnectionState.Reconnecting) {\r\n this._logger.log(LogLevel.Debug, `Connection moved to the '${this._connectionState}' from the reconnecting state during reconnect attempt. Done reconnecting.`);\r\n // The TypeScript compiler thinks that connectionState must be Connected here. The TypeScript compiler is wrong.\r\n if (this._connectionState as any === HubConnectionState.Disconnecting) {\r\n this._completeClose();\r\n }\r\n return;\r\n }\r\n\r\n retryError = e instanceof Error ? e : new Error(e.toString());\r\n nextRetryDelay = this._getNextRetryDelay(previousReconnectAttempts++, Date.now() - reconnectStartTime, retryError);\r\n }\r\n }\r\n\r\n this._logger.log(LogLevel.Information, `Reconnect retries have been exhausted after ${Date.now() - reconnectStartTime} ms and ${previousReconnectAttempts} failed attempts. Connection disconnecting.`);\r\n\r\n this._completeClose();\r\n }\r\n\r\n private _getNextRetryDelay(previousRetryCount: number, elapsedMilliseconds: number, retryReason: Error) {\r\n try {\r\n return this._reconnectPolicy!.nextRetryDelayInMilliseconds({\r\n elapsedMilliseconds,\r\n previousRetryCount,\r\n retryReason,\r\n });\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, `IRetryPolicy.nextRetryDelayInMilliseconds(${previousRetryCount}, ${elapsedMilliseconds}) threw error '${e}'.`);\r\n return null;\r\n }\r\n }\r\n\r\n private _cancelCallbacksWithError(error: Error) {\r\n const callbacks = this._callbacks;\r\n this._callbacks = {};\r\n\r\n Object.keys(callbacks)\r\n .forEach((key) => {\r\n const callback = callbacks[key];\r\n try {\r\n callback(null, error);\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, `Stream 'error' callback called with '${error}' threw error: ${getErrorString(e)}`);\r\n }\r\n });\r\n }\r\n\r\n private _cleanupPingTimer(): void {\r\n if (this._pingServerHandle) {\r\n clearTimeout(this._pingServerHandle);\r\n this._pingServerHandle = undefined;\r\n }\r\n }\r\n\r\n private _cleanupTimeout(): void {\r\n if (this._timeoutHandle) {\r\n clearTimeout(this._timeoutHandle);\r\n }\r\n }\r\n\r\n private _createInvocation(methodName: string, args: any[], nonblocking: boolean, streamIds: string[]): InvocationMessage {\r\n if (nonblocking) {\r\n if (streamIds.length !== 0) {\r\n return {\r\n arguments: args,\r\n streamIds,\r\n target: methodName,\r\n type: MessageType.Invocation,\r\n };\r\n } else {\r\n return {\r\n arguments: args,\r\n target: methodName,\r\n type: MessageType.Invocation,\r\n };\r\n }\r\n } else {\r\n const invocationId = this._invocationId;\r\n this._invocationId++;\r\n\r\n if (streamIds.length !== 0) {\r\n return {\r\n arguments: args,\r\n invocationId: invocationId.toString(),\r\n streamIds,\r\n target: methodName,\r\n type: MessageType.Invocation,\r\n };\r\n } else {\r\n return {\r\n arguments: args,\r\n invocationId: invocationId.toString(),\r\n target: methodName,\r\n type: MessageType.Invocation,\r\n };\r\n }\r\n }\r\n }\r\n\r\n private _launchStreams(streams: IStreamResult[], promiseQueue: Promise): void {\r\n if (streams.length === 0) {\r\n return;\r\n }\r\n\r\n // Synchronize stream data so they arrive in-order on the server\r\n if (!promiseQueue) {\r\n promiseQueue = Promise.resolve();\r\n }\r\n\r\n // We want to iterate over the keys, since the keys are the stream ids\r\n // eslint-disable-next-line guard-for-in\r\n for (const streamId in streams) {\r\n streams[streamId].subscribe({\r\n complete: () => {\r\n promiseQueue = promiseQueue.then(() => this._sendWithProtocol(this._createCompletionMessage(streamId)));\r\n },\r\n error: (err) => {\r\n let message: string;\r\n if (err instanceof Error) {\r\n message = err.message;\r\n } else if (err && err.toString) {\r\n message = err.toString();\r\n } else {\r\n message = \"Unknown error\";\r\n }\r\n\r\n promiseQueue = promiseQueue.then(() => this._sendWithProtocol(this._createCompletionMessage(streamId, message)));\r\n },\r\n next: (item) => {\r\n promiseQueue = promiseQueue.then(() => this._sendWithProtocol(this._createStreamItemMessage(streamId, item)));\r\n },\r\n });\r\n }\r\n }\r\n\r\n private _replaceStreamingParams(args: any[]): [IStreamResult[], string[]] {\r\n const streams: IStreamResult[] = [];\r\n const streamIds: string[] = [];\r\n for (let i = 0; i < args.length; i++) {\r\n const argument = args[i];\r\n if (this._isObservable(argument)) {\r\n const streamId = this._invocationId;\r\n this._invocationId++;\r\n // Store the stream for later use\r\n streams[streamId] = argument;\r\n streamIds.push(streamId.toString());\r\n\r\n // remove stream from args\r\n args.splice(i, 1);\r\n }\r\n }\r\n\r\n return [streams, streamIds];\r\n }\r\n\r\n private _isObservable(arg: any): arg is IStreamResult {\r\n // This allows other stream implementations to just work (like rxjs)\r\n return arg && arg.subscribe && typeof arg.subscribe === \"function\";\r\n }\r\n\r\n private _createStreamInvocation(methodName: string, args: any[], streamIds: string[]): StreamInvocationMessage {\r\n const invocationId = this._invocationId;\r\n this._invocationId++;\r\n\r\n if (streamIds.length !== 0) {\r\n return {\r\n arguments: args,\r\n invocationId: invocationId.toString(),\r\n streamIds,\r\n target: methodName,\r\n type: MessageType.StreamInvocation,\r\n };\r\n } else {\r\n return {\r\n arguments: args,\r\n invocationId: invocationId.toString(),\r\n target: methodName,\r\n type: MessageType.StreamInvocation,\r\n };\r\n }\r\n }\r\n\r\n private _createCancelInvocation(id: string): CancelInvocationMessage {\r\n return {\r\n invocationId: id,\r\n type: MessageType.CancelInvocation,\r\n };\r\n }\r\n\r\n private _createStreamItemMessage(id: string, item: any): StreamItemMessage {\r\n return {\r\n invocationId: id,\r\n item,\r\n type: MessageType.StreamItem,\r\n };\r\n }\r\n\r\n private _createCompletionMessage(id: string, error?: any, result?: any): CompletionMessage {\r\n if (error) {\r\n return {\r\n error,\r\n invocationId: id,\r\n type: MessageType.Completion,\r\n };\r\n }\r\n\r\n return {\r\n invocationId: id,\r\n result,\r\n type: MessageType.Completion,\r\n };\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { IRetryPolicy, RetryContext } from \"./IRetryPolicy\";\r\n\r\n// 0, 2, 10, 30 second delays before reconnect attempts.\r\nconst DEFAULT_RETRY_DELAYS_IN_MILLISECONDS = [0, 2000, 10000, 30000, null];\r\n\r\n/** @private */\r\nexport class DefaultReconnectPolicy implements IRetryPolicy {\r\n private readonly _retryDelays: (number | null)[];\r\n\r\n constructor(retryDelays?: number[]) {\r\n this._retryDelays = retryDelays !== undefined ? [...retryDelays, null] : DEFAULT_RETRY_DELAYS_IN_MILLISECONDS;\r\n }\r\n\r\n public nextRetryDelayInMilliseconds(retryContext: RetryContext): number | null {\r\n return this._retryDelays[retryContext.previousRetryCount];\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nexport abstract class HeaderNames {\r\n static readonly Authorization = \"Authorization\";\r\n static readonly Cookie = \"Cookie\";\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { HeaderNames } from \"./HeaderNames\";\r\nimport { HttpClient, HttpRequest, HttpResponse } from \"./HttpClient\";\r\n\r\n/** @private */\r\nexport class AccessTokenHttpClient extends HttpClient {\r\n private _innerClient: HttpClient;\r\n _accessToken: string | undefined;\r\n _accessTokenFactory: (() => string | Promise) | undefined;\r\n\r\n constructor(innerClient: HttpClient, accessTokenFactory: (() => string | Promise) | undefined) {\r\n super();\r\n\r\n this._innerClient = innerClient;\r\n this._accessTokenFactory = accessTokenFactory;\r\n }\r\n\r\n public async send(request: HttpRequest): Promise {\r\n let allowRetry = true;\r\n if (this._accessTokenFactory && (!this._accessToken || (request.url && request.url.indexOf(\"/negotiate?\") > 0))) {\r\n // don't retry if the request is a negotiate or if we just got a potentially new token from the access token factory\r\n allowRetry = false;\r\n this._accessToken = await this._accessTokenFactory();\r\n }\r\n this._setAuthorizationHeader(request);\r\n const response = await this._innerClient.send(request);\r\n\r\n if (allowRetry && response.statusCode === 401 && this._accessTokenFactory) {\r\n this._accessToken = await this._accessTokenFactory();\r\n this._setAuthorizationHeader(request);\r\n return await this._innerClient.send(request);\r\n }\r\n return response;\r\n }\r\n\r\n private _setAuthorizationHeader(request: HttpRequest) {\r\n if (!request.headers) {\r\n request.headers = {};\r\n }\r\n if (this._accessToken) {\r\n request.headers[HeaderNames.Authorization] = `Bearer ${this._accessToken}`\r\n }\r\n // don't remove the header if there isn't an access token factory, the user manually added the header in this case\r\n else if (this._accessTokenFactory) {\r\n if (request.headers[HeaderNames.Authorization]) {\r\n delete request.headers[HeaderNames.Authorization];\r\n }\r\n }\r\n }\r\n\r\n public getCookieString(url: string): string {\r\n return this._innerClient.getCookieString(url);\r\n }\r\n}", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\n// This will be treated as a bit flag in the future, so we keep it using power-of-two values.\r\n/** Specifies a specific HTTP transport type. */\r\nexport enum HttpTransportType {\r\n /** Specifies no transport preference. */\r\n None = 0,\r\n /** Specifies the WebSockets transport. */\r\n WebSockets = 1,\r\n /** Specifies the Server-Sent Events transport. */\r\n ServerSentEvents = 2,\r\n /** Specifies the Long Polling transport. */\r\n LongPolling = 4,\r\n}\r\n\r\n/** Specifies the transfer format for a connection. */\r\nexport enum TransferFormat {\r\n /** Specifies that only text data will be transmitted over the connection. */\r\n Text = 1,\r\n /** Specifies that binary data will be transmitted over the connection. */\r\n Binary = 2,\r\n}\r\n\r\n/** An abstraction over the behavior of transports. This is designed to support the framework and not intended for use by applications. */\r\nexport interface ITransport {\r\n connect(url: string, transferFormat: TransferFormat): Promise;\r\n send(data: any): Promise;\r\n stop(): Promise;\r\n onreceive: ((data: string | ArrayBuffer) => void) | null;\r\n onclose: ((error?: Error) => void) | null;\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\n// Rough polyfill of https://developer.mozilla.org/en-US/docs/Web/API/AbortController\r\n// We don't actually ever use the API being polyfilled, we always use the polyfill because\r\n// it's a very new API right now.\r\n\r\n// Not exported from index.\r\n/** @private */\r\nexport class AbortController implements AbortSignal {\r\n private _isAborted: boolean = false;\r\n public onabort: (() => void) | null = null;\r\n\r\n public abort(): void {\r\n if (!this._isAborted) {\r\n this._isAborted = true;\r\n if (this.onabort) {\r\n this.onabort();\r\n }\r\n }\r\n }\r\n\r\n get signal(): AbortSignal {\r\n return this;\r\n }\r\n\r\n get aborted(): boolean {\r\n return this._isAborted;\r\n }\r\n}\r\n\r\n/** Represents a signal that can be monitored to determine if a request has been aborted. */\r\nexport interface AbortSignal {\r\n /** Indicates if the request has been aborted. */\r\n aborted: boolean;\r\n /** Set this to a handler that will be invoked when the request is aborted. */\r\n onabort: (() => void) | null;\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { AbortController } from \"./AbortController\";\r\nimport { HttpError, TimeoutError } from \"./Errors\";\r\nimport { HttpClient, HttpRequest } from \"./HttpClient\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { ITransport, TransferFormat } from \"./ITransport\";\r\nimport { Arg, getDataDetail, getUserAgentHeader, sendMessage } from \"./Utils\";\r\nimport { IHttpConnectionOptions } from \"./IHttpConnectionOptions\";\r\n\r\n// Not exported from 'index', this type is internal.\r\n/** @private */\r\nexport class LongPollingTransport implements ITransport {\r\n private readonly _httpClient: HttpClient;\r\n private readonly _logger: ILogger;\r\n private readonly _options: IHttpConnectionOptions;\r\n private readonly _pollAbort: AbortController;\r\n\r\n private _url?: string;\r\n private _running: boolean;\r\n private _receiving?: Promise;\r\n private _closeError?: Error;\r\n\r\n public onreceive: ((data: string | ArrayBuffer) => void) | null;\r\n public onclose: ((error?: Error) => void) | null;\r\n\r\n // This is an internal type, not exported from 'index' so this is really just internal.\r\n public get pollAborted(): boolean {\r\n return this._pollAbort.aborted;\r\n }\r\n\r\n constructor(httpClient: HttpClient, logger: ILogger, options: IHttpConnectionOptions) {\r\n this._httpClient = httpClient;\r\n this._logger = logger;\r\n this._pollAbort = new AbortController();\r\n this._options = options;\r\n\r\n this._running = false;\r\n\r\n this.onreceive = null;\r\n this.onclose = null;\r\n }\r\n\r\n public async connect(url: string, transferFormat: TransferFormat): Promise {\r\n Arg.isRequired(url, \"url\");\r\n Arg.isRequired(transferFormat, \"transferFormat\");\r\n Arg.isIn(transferFormat, TransferFormat, \"transferFormat\");\r\n\r\n this._url = url;\r\n\r\n this._logger.log(LogLevel.Trace, \"(LongPolling transport) Connecting.\");\r\n\r\n // Allow binary format on Node and Browsers that support binary content (indicated by the presence of responseType property)\r\n if (transferFormat === TransferFormat.Binary &&\r\n (typeof XMLHttpRequest !== \"undefined\" && typeof new XMLHttpRequest().responseType !== \"string\")) {\r\n throw new Error(\"Binary protocols over XmlHttpRequest not implementing advanced features are not supported.\");\r\n }\r\n\r\n const [name, value] = getUserAgentHeader();\r\n const headers = { [name]: value, ...this._options.headers };\r\n\r\n const pollOptions: HttpRequest = {\r\n abortSignal: this._pollAbort.signal,\r\n headers,\r\n timeout: 100000,\r\n withCredentials: this._options.withCredentials,\r\n };\r\n\r\n if (transferFormat === TransferFormat.Binary) {\r\n pollOptions.responseType = \"arraybuffer\";\r\n }\r\n\r\n // Make initial long polling request\r\n // Server uses first long polling request to finish initializing connection and it returns without data\r\n const pollUrl = `${url}&_=${Date.now()}`;\r\n this._logger.log(LogLevel.Trace, `(LongPolling transport) polling: ${pollUrl}.`);\r\n const response = await this._httpClient.get(pollUrl, pollOptions);\r\n if (response.statusCode !== 200) {\r\n this._logger.log(LogLevel.Error, `(LongPolling transport) Unexpected response code: ${response.statusCode}.`);\r\n\r\n // Mark running as false so that the poll immediately ends and runs the close logic\r\n this._closeError = new HttpError(response.statusText || \"\", response.statusCode);\r\n this._running = false;\r\n } else {\r\n this._running = true;\r\n }\r\n\r\n this._receiving = this._poll(this._url, pollOptions);\r\n }\r\n\r\n private async _poll(url: string, pollOptions: HttpRequest): Promise {\r\n try {\r\n while (this._running) {\r\n try {\r\n const pollUrl = `${url}&_=${Date.now()}`;\r\n this._logger.log(LogLevel.Trace, `(LongPolling transport) polling: ${pollUrl}.`);\r\n const response = await this._httpClient.get(pollUrl, pollOptions);\r\n\r\n if (response.statusCode === 204) {\r\n this._logger.log(LogLevel.Information, \"(LongPolling transport) Poll terminated by server.\");\r\n\r\n this._running = false;\r\n } else if (response.statusCode !== 200) {\r\n this._logger.log(LogLevel.Error, `(LongPolling transport) Unexpected response code: ${response.statusCode}.`);\r\n\r\n // Unexpected status code\r\n this._closeError = new HttpError(response.statusText || \"\", response.statusCode);\r\n this._running = false;\r\n } else {\r\n // Process the response\r\n if (response.content) {\r\n this._logger.log(LogLevel.Trace, `(LongPolling transport) data received. ${getDataDetail(response.content, this._options.logMessageContent!)}.`);\r\n if (this.onreceive) {\r\n this.onreceive(response.content);\r\n }\r\n } else {\r\n // This is another way timeout manifest.\r\n this._logger.log(LogLevel.Trace, \"(LongPolling transport) Poll timed out, reissuing.\");\r\n }\r\n }\r\n } catch (e) {\r\n if (!this._running) {\r\n // Log but disregard errors that occur after stopping\r\n this._logger.log(LogLevel.Trace, `(LongPolling transport) Poll errored after shutdown: ${e.message}`);\r\n } else {\r\n if (e instanceof TimeoutError) {\r\n // Ignore timeouts and reissue the poll.\r\n this._logger.log(LogLevel.Trace, \"(LongPolling transport) Poll timed out, reissuing.\");\r\n } else {\r\n // Close the connection with the error as the result.\r\n this._closeError = e;\r\n this._running = false;\r\n }\r\n }\r\n }\r\n }\r\n } finally {\r\n this._logger.log(LogLevel.Trace, \"(LongPolling transport) Polling complete.\");\r\n\r\n // We will reach here with pollAborted==false when the server returned a response causing the transport to stop.\r\n // If pollAborted==true then client initiated the stop and the stop method will raise the close event after DELETE is sent.\r\n if (!this.pollAborted) {\r\n this._raiseOnClose();\r\n }\r\n }\r\n }\r\n\r\n public async send(data: any): Promise {\r\n if (!this._running) {\r\n return Promise.reject(new Error(\"Cannot send until the transport is connected\"));\r\n }\r\n return sendMessage(this._logger, \"LongPolling\", this._httpClient, this._url!, data, this._options);\r\n }\r\n\r\n public async stop(): Promise {\r\n this._logger.log(LogLevel.Trace, \"(LongPolling transport) Stopping polling.\");\r\n\r\n // Tell receiving loop to stop, abort any current request, and then wait for it to finish\r\n this._running = false;\r\n this._pollAbort.abort();\r\n\r\n try {\r\n await this._receiving;\r\n\r\n // Send DELETE to clean up long polling on the server\r\n this._logger.log(LogLevel.Trace, `(LongPolling transport) sending DELETE request to ${this._url}.`);\r\n\r\n const headers: {[k: string]: string} = {};\r\n const [name, value] = getUserAgentHeader();\r\n headers[name] = value;\r\n\r\n const deleteOptions: HttpRequest = {\r\n headers: { ...headers, ...this._options.headers },\r\n timeout: this._options.timeout,\r\n withCredentials: this._options.withCredentials,\r\n };\r\n await this._httpClient.delete(this._url!, deleteOptions);\r\n\r\n this._logger.log(LogLevel.Trace, \"(LongPolling transport) DELETE request sent.\");\r\n } finally {\r\n this._logger.log(LogLevel.Trace, \"(LongPolling transport) Stop finished.\");\r\n\r\n // Raise close event here instead of in polling\r\n // It needs to happen after the DELETE request is sent\r\n this._raiseOnClose();\r\n }\r\n }\r\n\r\n private _raiseOnClose() {\r\n if (this.onclose) {\r\n let logMessage = \"(LongPolling transport) Firing onclose event.\";\r\n if (this._closeError) {\r\n logMessage += \" Error: \" + this._closeError;\r\n }\r\n this._logger.log(LogLevel.Trace, logMessage);\r\n this.onclose(this._closeError);\r\n }\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { HttpClient } from \"./HttpClient\";\r\nimport { MessageHeaders } from \"./IHubProtocol\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { ITransport, TransferFormat } from \"./ITransport\";\r\nimport { Arg, getDataDetail, getUserAgentHeader, Platform, sendMessage } from \"./Utils\";\r\nimport { IHttpConnectionOptions } from \"./IHttpConnectionOptions\";\r\n\r\n/** @private */\r\nexport class ServerSentEventsTransport implements ITransport {\r\n private readonly _httpClient: HttpClient;\r\n private readonly _accessToken: string | undefined;\r\n private readonly _logger: ILogger;\r\n private readonly _options: IHttpConnectionOptions;\r\n private _eventSource?: EventSource;\r\n private _url?: string;\r\n\r\n public onreceive: ((data: string | ArrayBuffer) => void) | null;\r\n public onclose: ((error?: Error) => void) | null;\r\n\r\n constructor(httpClient: HttpClient, accessToken: string | undefined, logger: ILogger,\r\n options: IHttpConnectionOptions) {\r\n this._httpClient = httpClient;\r\n this._accessToken = accessToken;\r\n this._logger = logger;\r\n this._options = options;\r\n\r\n this.onreceive = null;\r\n this.onclose = null;\r\n }\r\n\r\n public async connect(url: string, transferFormat: TransferFormat): Promise {\r\n Arg.isRequired(url, \"url\");\r\n Arg.isRequired(transferFormat, \"transferFormat\");\r\n Arg.isIn(transferFormat, TransferFormat, \"transferFormat\");\r\n\r\n this._logger.log(LogLevel.Trace, \"(SSE transport) Connecting.\");\r\n\r\n // set url before accessTokenFactory because this._url is only for send and we set the auth header instead of the query string for send\r\n this._url = url;\r\n\r\n if (this._accessToken) {\r\n url += (url.indexOf(\"?\") < 0 ? \"?\" : \"&\") + `access_token=${encodeURIComponent(this._accessToken)}`;\r\n }\r\n\r\n return new Promise((resolve, reject) => {\r\n let opened = false;\r\n if (transferFormat !== TransferFormat.Text) {\r\n reject(new Error(\"The Server-Sent Events transport only supports the 'Text' transfer format\"));\r\n return;\r\n }\r\n\r\n let eventSource: EventSource;\r\n if (Platform.isBrowser || Platform.isWebWorker) {\r\n eventSource = new this._options.EventSource!(url, { withCredentials: this._options.withCredentials });\r\n } else {\r\n // Non-browser passes cookies via the dictionary\r\n const cookies = this._httpClient.getCookieString(url);\r\n const headers: MessageHeaders = {};\r\n headers.Cookie = cookies;\r\n const [name, value] = getUserAgentHeader();\r\n headers[name] = value;\r\n\r\n eventSource = new this._options.EventSource!(url, { withCredentials: this._options.withCredentials, headers: { ...headers, ...this._options.headers} } as EventSourceInit);\r\n }\r\n\r\n try {\r\n eventSource.onmessage = (e: MessageEvent) => {\r\n if (this.onreceive) {\r\n try {\r\n this._logger.log(LogLevel.Trace, `(SSE transport) data received. ${getDataDetail(e.data, this._options.logMessageContent!)}.`);\r\n this.onreceive(e.data);\r\n } catch (error) {\r\n this._close(error);\r\n return;\r\n }\r\n }\r\n };\r\n\r\n // @ts-ignore: not using event on purpose\r\n eventSource.onerror = (e: Event) => {\r\n // EventSource doesn't give any useful information about server side closes.\r\n if (opened) {\r\n this._close();\r\n } else {\r\n reject(new Error(\"EventSource failed to connect. The connection could not be found on the server,\"\r\n + \" either the connection ID is not present on the server, or a proxy is refusing/buffering the connection.\"\r\n + \" If you have multiple servers check that sticky sessions are enabled.\"));\r\n }\r\n };\r\n\r\n eventSource.onopen = () => {\r\n this._logger.log(LogLevel.Information, `SSE connected to ${this._url}`);\r\n this._eventSource = eventSource;\r\n opened = true;\r\n resolve();\r\n };\r\n } catch (e) {\r\n reject(e);\r\n return;\r\n }\r\n });\r\n }\r\n\r\n public async send(data: any): Promise {\r\n if (!this._eventSource) {\r\n return Promise.reject(new Error(\"Cannot send until the transport is connected\"));\r\n }\r\n return sendMessage(this._logger, \"SSE\", this._httpClient, this._url!, data, this._options);\r\n }\r\n\r\n public stop(): Promise {\r\n this._close();\r\n return Promise.resolve();\r\n }\r\n\r\n private _close(e?: Error) {\r\n if (this._eventSource) {\r\n this._eventSource.close();\r\n this._eventSource = undefined;\r\n\r\n if (this.onclose) {\r\n this.onclose(e);\r\n }\r\n }\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { HeaderNames } from \"./HeaderNames\";\r\nimport { HttpClient } from \"./HttpClient\";\r\nimport { MessageHeaders } from \"./IHubProtocol\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { ITransport, TransferFormat } from \"./ITransport\";\r\nimport { WebSocketConstructor } from \"./Polyfills\";\r\nimport { Arg, getDataDetail, getUserAgentHeader, Platform } from \"./Utils\";\r\n\r\n/** @private */\r\nexport class WebSocketTransport implements ITransport {\r\n private readonly _logger: ILogger;\r\n private readonly _accessTokenFactory: (() => string | Promise) | undefined;\r\n private readonly _logMessageContent: boolean;\r\n private readonly _webSocketConstructor: WebSocketConstructor;\r\n private readonly _httpClient: HttpClient;\r\n private _webSocket?: WebSocket;\r\n private _headers: MessageHeaders;\r\n\r\n public onreceive: ((data: string | ArrayBuffer) => void) | null;\r\n public onclose: ((error?: Error) => void) | null;\r\n\r\n constructor(httpClient: HttpClient, accessTokenFactory: (() => string | Promise) | undefined, logger: ILogger,\r\n logMessageContent: boolean, webSocketConstructor: WebSocketConstructor, headers: MessageHeaders) {\r\n this._logger = logger;\r\n this._accessTokenFactory = accessTokenFactory;\r\n this._logMessageContent = logMessageContent;\r\n this._webSocketConstructor = webSocketConstructor;\r\n this._httpClient = httpClient;\r\n\r\n this.onreceive = null;\r\n this.onclose = null;\r\n this._headers = headers;\r\n }\r\n\r\n public async connect(url: string, transferFormat: TransferFormat): Promise {\r\n Arg.isRequired(url, \"url\");\r\n Arg.isRequired(transferFormat, \"transferFormat\");\r\n Arg.isIn(transferFormat, TransferFormat, \"transferFormat\");\r\n this._logger.log(LogLevel.Trace, \"(WebSockets transport) Connecting.\");\r\n\r\n let token: string;\r\n if (this._accessTokenFactory) {\r\n token = await this._accessTokenFactory();\r\n }\r\n\r\n return new Promise((resolve, reject) => {\r\n url = url.replace(/^http/, \"ws\");\r\n let webSocket: WebSocket | undefined;\r\n const cookies = this._httpClient.getCookieString(url);\r\n let opened = false;\r\n\r\n if (Platform.isNode || Platform.isReactNative) {\r\n const headers: {[k: string]: string} = {};\r\n const [name, value] = getUserAgentHeader();\r\n headers[name] = value;\r\n if (token) {\r\n headers[HeaderNames.Authorization] = `Bearer ${token}`;\r\n }\r\n\r\n if (cookies) {\r\n headers[HeaderNames.Cookie] = cookies;\r\n }\r\n\r\n // Only pass headers when in non-browser environments\r\n webSocket = new this._webSocketConstructor(url, undefined, {\r\n headers: { ...headers, ...this._headers },\r\n });\r\n }\r\n else\r\n {\r\n if (token) {\r\n url += (url.indexOf(\"?\") < 0 ? \"?\" : \"&\") + `access_token=${encodeURIComponent(token)}`;\r\n }\r\n }\r\n\r\n if (!webSocket) {\r\n // Chrome is not happy with passing 'undefined' as protocol\r\n webSocket = new this._webSocketConstructor(url);\r\n }\r\n\r\n if (transferFormat === TransferFormat.Binary) {\r\n webSocket.binaryType = \"arraybuffer\";\r\n }\r\n\r\n webSocket.onopen = (_event: Event) => {\r\n this._logger.log(LogLevel.Information, `WebSocket connected to ${url}.`);\r\n this._webSocket = webSocket;\r\n opened = true;\r\n resolve();\r\n };\r\n\r\n webSocket.onerror = (event: Event) => {\r\n let error: any = null;\r\n // ErrorEvent is a browser only type we need to check if the type exists before using it\r\n if (typeof ErrorEvent !== \"undefined\" && event instanceof ErrorEvent) {\r\n error = event.error;\r\n } else {\r\n error = \"There was an error with the transport\";\r\n }\r\n\r\n this._logger.log(LogLevel.Information, `(WebSockets transport) ${error}.`);\r\n };\r\n\r\n webSocket.onmessage = (message: MessageEvent) => {\r\n this._logger.log(LogLevel.Trace, `(WebSockets transport) data received. ${getDataDetail(message.data, this._logMessageContent)}.`);\r\n if (this.onreceive) {\r\n try {\r\n this.onreceive(message.data);\r\n } catch (error) {\r\n this._close(error);\r\n return;\r\n }\r\n }\r\n };\r\n\r\n webSocket.onclose = (event: CloseEvent) => {\r\n // Don't call close handler if connection was never established\r\n // We'll reject the connect call instead\r\n if (opened) {\r\n this._close(event);\r\n } else {\r\n let error: any = null;\r\n // ErrorEvent is a browser only type we need to check if the type exists before using it\r\n if (typeof ErrorEvent !== \"undefined\" && event instanceof ErrorEvent) {\r\n error = event.error;\r\n } else {\r\n error = \"WebSocket failed to connect. The connection could not be found on the server,\"\r\n + \" either the endpoint may not be a SignalR endpoint,\"\r\n + \" the connection ID is not present on the server, or there is a proxy blocking WebSockets.\"\r\n + \" If you have multiple servers check that sticky sessions are enabled.\";\r\n }\r\n\r\n reject(new Error(error));\r\n }\r\n };\r\n });\r\n }\r\n\r\n public send(data: any): Promise {\r\n if (this._webSocket && this._webSocket.readyState === this._webSocketConstructor.OPEN) {\r\n this._logger.log(LogLevel.Trace, `(WebSockets transport) sending data. ${getDataDetail(data, this._logMessageContent)}.`);\r\n this._webSocket.send(data);\r\n return Promise.resolve();\r\n }\r\n\r\n return Promise.reject(\"WebSocket is not in the OPEN state\");\r\n }\r\n\r\n public stop(): Promise {\r\n if (this._webSocket) {\r\n // Manually invoke onclose callback inline so we know the HttpConnection was closed properly before returning\r\n // This also solves an issue where websocket.onclose could take 18+ seconds to trigger during network disconnects\r\n this._close(undefined);\r\n }\r\n\r\n return Promise.resolve();\r\n }\r\n\r\n private _close(event?: CloseEvent | Error): void {\r\n // webSocket will be null if the transport did not start successfully\r\n if (this._webSocket) {\r\n // Clear websocket handlers because we are considering the socket closed now\r\n this._webSocket.onclose = () => {};\r\n this._webSocket.onmessage = () => {};\r\n this._webSocket.onerror = () => {};\r\n this._webSocket.close();\r\n this._webSocket = undefined;\r\n }\r\n\r\n this._logger.log(LogLevel.Trace, \"(WebSockets transport) socket closed.\");\r\n if (this.onclose) {\r\n if (this._isCloseEvent(event) && (event.wasClean === false || event.code !== 1000)) {\r\n this.onclose(new Error(`WebSocket closed with status code: ${event.code} (${event.reason || \"no reason given\"}).`));\r\n } else if (event instanceof Error) {\r\n this.onclose(event);\r\n } else {\r\n this.onclose();\r\n }\r\n }\r\n }\r\n\r\n private _isCloseEvent(event?: any): event is CloseEvent {\r\n return event && typeof event.wasClean === \"boolean\" && typeof event.code === \"number\";\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { AccessTokenHttpClient } from \"./AccessTokenHttpClient\";\r\nimport { DefaultHttpClient } from \"./DefaultHttpClient\";\r\nimport { AggregateErrors, DisabledTransportError, FailedToNegotiateWithServerError, FailedToStartTransportError, HttpError, UnsupportedTransportError, AbortError } from \"./Errors\";\r\nimport { IConnection } from \"./IConnection\";\r\nimport { IHttpConnectionOptions } from \"./IHttpConnectionOptions\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { HttpTransportType, ITransport, TransferFormat } from \"./ITransport\";\r\nimport { LongPollingTransport } from \"./LongPollingTransport\";\r\nimport { ServerSentEventsTransport } from \"./ServerSentEventsTransport\";\r\nimport { Arg, createLogger, getUserAgentHeader, Platform } from \"./Utils\";\r\nimport { WebSocketTransport } from \"./WebSocketTransport\";\r\n\r\n/** @private */\r\nconst enum ConnectionState {\r\n Connecting = \"Connecting\",\r\n Connected = \"Connected\",\r\n Disconnected = \"Disconnected\",\r\n Disconnecting = \"Disconnecting\",\r\n}\r\n\r\n/** @private */\r\nexport interface INegotiateResponse {\r\n connectionId?: string;\r\n connectionToken?: string;\r\n negotiateVersion?: number;\r\n availableTransports?: IAvailableTransport[];\r\n url?: string;\r\n accessToken?: string;\r\n error?: string;\r\n}\r\n\r\n/** @private */\r\nexport interface IAvailableTransport {\r\n transport: keyof typeof HttpTransportType;\r\n transferFormats: (keyof typeof TransferFormat)[];\r\n}\r\n\r\nconst MAX_REDIRECTS = 100;\r\n\r\n/** @private */\r\nexport class HttpConnection implements IConnection {\r\n private _connectionState: ConnectionState;\r\n // connectionStarted is tracked independently from connectionState, so we can check if the\r\n // connection ever did successfully transition from connecting to connected before disconnecting.\r\n private _connectionStarted: boolean;\r\n private readonly _httpClient: AccessTokenHttpClient;\r\n private readonly _logger: ILogger;\r\n private readonly _options: IHttpConnectionOptions;\r\n // Needs to not start with _ to be available for tests\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n private transport?: ITransport;\r\n private _startInternalPromise?: Promise;\r\n private _stopPromise?: Promise;\r\n private _stopPromiseResolver: (value?: PromiseLike) => void = () => {};\r\n private _stopError?: Error;\r\n private _accessTokenFactory?: () => string | Promise;\r\n private _sendQueue?: TransportSendQueue;\r\n\r\n public readonly features: any = {};\r\n public baseUrl: string;\r\n public connectionId?: string;\r\n public onreceive: ((data: string | ArrayBuffer) => void) | null;\r\n public onclose: ((e?: Error) => void) | null;\r\n\r\n private readonly _negotiateVersion: number = 1;\r\n\r\n constructor(url: string, options: IHttpConnectionOptions = {}) {\r\n Arg.isRequired(url, \"url\");\r\n\r\n this._logger = createLogger(options.logger);\r\n this.baseUrl = this._resolveUrl(url);\r\n\r\n options = options || {};\r\n options.logMessageContent = options.logMessageContent === undefined ? false : options.logMessageContent;\r\n if (typeof options.withCredentials === \"boolean\" || options.withCredentials === undefined) {\r\n options.withCredentials = options.withCredentials === undefined ? true : options.withCredentials;\r\n } else {\r\n throw new Error(\"withCredentials option was not a 'boolean' or 'undefined' value\");\r\n }\r\n options.timeout = options.timeout === undefined ? 100 * 1000 : options.timeout;\r\n\r\n let webSocketModule: any = null;\r\n let eventSourceModule: any = null;\r\n\r\n if (Platform.isNode && typeof require !== \"undefined\") {\r\n // In order to ignore the dynamic require in webpack builds we need to do this magic\r\n // @ts-ignore: TS doesn't know about these names\r\n const requireFunc = typeof __webpack_require__ === \"function\" ? __non_webpack_require__ : require;\r\n webSocketModule = requireFunc(\"ws\");\r\n eventSourceModule = requireFunc(\"eventsource\");\r\n }\r\n\r\n if (!Platform.isNode && typeof WebSocket !== \"undefined\" && !options.WebSocket) {\r\n options.WebSocket = WebSocket;\r\n } else if (Platform.isNode && !options.WebSocket) {\r\n if (webSocketModule) {\r\n options.WebSocket = webSocketModule;\r\n }\r\n }\r\n\r\n if (!Platform.isNode && typeof EventSource !== \"undefined\" && !options.EventSource) {\r\n options.EventSource = EventSource;\r\n } else if (Platform.isNode && !options.EventSource) {\r\n if (typeof eventSourceModule !== \"undefined\") {\r\n options.EventSource = eventSourceModule;\r\n }\r\n }\r\n\r\n this._httpClient = new AccessTokenHttpClient(options.httpClient || new DefaultHttpClient(this._logger), options.accessTokenFactory);\r\n this._connectionState = ConnectionState.Disconnected;\r\n this._connectionStarted = false;\r\n this._options = options;\r\n\r\n this.onreceive = null;\r\n this.onclose = null;\r\n }\r\n\r\n public start(): Promise;\r\n public start(transferFormat: TransferFormat): Promise;\r\n public async start(transferFormat?: TransferFormat): Promise {\r\n transferFormat = transferFormat || TransferFormat.Binary;\r\n\r\n Arg.isIn(transferFormat, TransferFormat, \"transferFormat\");\r\n\r\n this._logger.log(LogLevel.Debug, `Starting connection with transfer format '${TransferFormat[transferFormat]}'.`);\r\n\r\n if (this._connectionState !== ConnectionState.Disconnected) {\r\n return Promise.reject(new Error(\"Cannot start an HttpConnection that is not in the 'Disconnected' state.\"));\r\n }\r\n\r\n this._connectionState = ConnectionState.Connecting;\r\n\r\n this._startInternalPromise = this._startInternal(transferFormat);\r\n await this._startInternalPromise;\r\n\r\n // The TypeScript compiler thinks that connectionState must be Connecting here. The TypeScript compiler is wrong.\r\n if (this._connectionState as any === ConnectionState.Disconnecting) {\r\n // stop() was called and transitioned the client into the Disconnecting state.\r\n const message = \"Failed to start the HttpConnection before stop() was called.\";\r\n this._logger.log(LogLevel.Error, message);\r\n\r\n // We cannot await stopPromise inside startInternal since stopInternal awaits the startInternalPromise.\r\n await this._stopPromise;\r\n\r\n return Promise.reject(new AbortError(message));\r\n } else if (this._connectionState as any !== ConnectionState.Connected) {\r\n // stop() was called and transitioned the client into the Disconnecting state.\r\n const message = \"HttpConnection.startInternal completed gracefully but didn't enter the connection into the connected state!\";\r\n this._logger.log(LogLevel.Error, message);\r\n return Promise.reject(new AbortError(message));\r\n }\r\n\r\n this._connectionStarted = true;\r\n }\r\n\r\n public send(data: string | ArrayBuffer): Promise {\r\n if (this._connectionState !== ConnectionState.Connected) {\r\n return Promise.reject(new Error(\"Cannot send data if the connection is not in the 'Connected' State.\"));\r\n }\r\n\r\n if (!this._sendQueue) {\r\n this._sendQueue = new TransportSendQueue(this.transport!);\r\n }\r\n\r\n // Transport will not be null if state is connected\r\n return this._sendQueue.send(data);\r\n }\r\n\r\n public async stop(error?: Error): Promise {\r\n if (this._connectionState === ConnectionState.Disconnected) {\r\n this._logger.log(LogLevel.Debug, `Call to HttpConnection.stop(${error}) ignored because the connection is already in the disconnected state.`);\r\n return Promise.resolve();\r\n }\r\n\r\n if (this._connectionState === ConnectionState.Disconnecting) {\r\n this._logger.log(LogLevel.Debug, `Call to HttpConnection.stop(${error}) ignored because the connection is already in the disconnecting state.`);\r\n return this._stopPromise;\r\n }\r\n\r\n this._connectionState = ConnectionState.Disconnecting;\r\n\r\n this._stopPromise = new Promise((resolve) => {\r\n // Don't complete stop() until stopConnection() completes.\r\n this._stopPromiseResolver = resolve;\r\n });\r\n\r\n // stopInternal should never throw so just observe it.\r\n await this._stopInternal(error);\r\n await this._stopPromise;\r\n }\r\n\r\n private async _stopInternal(error?: Error): Promise {\r\n // Set error as soon as possible otherwise there is a race between\r\n // the transport closing and providing an error and the error from a close message\r\n // We would prefer the close message error.\r\n this._stopError = error;\r\n\r\n try {\r\n await this._startInternalPromise;\r\n } catch (e) {\r\n // This exception is returned to the user as a rejected Promise from the start method.\r\n }\r\n\r\n // The transport's onclose will trigger stopConnection which will run our onclose event.\r\n // The transport should always be set if currently connected. If it wasn't set, it's likely because\r\n // stop was called during start() and start() failed.\r\n if (this.transport) {\r\n try {\r\n await this.transport.stop();\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, `HttpConnection.transport.stop() threw error '${e}'.`);\r\n this._stopConnection();\r\n }\r\n\r\n this.transport = undefined;\r\n } else {\r\n this._logger.log(LogLevel.Debug, \"HttpConnection.transport is undefined in HttpConnection.stop() because start() failed.\");\r\n }\r\n }\r\n\r\n private async _startInternal(transferFormat: TransferFormat): Promise {\r\n // Store the original base url and the access token factory since they may change\r\n // as part of negotiating\r\n let url = this.baseUrl;\r\n this._accessTokenFactory = this._options.accessTokenFactory;\r\n this._httpClient._accessTokenFactory = this._accessTokenFactory;\r\n\r\n try {\r\n if (this._options.skipNegotiation) {\r\n if (this._options.transport === HttpTransportType.WebSockets) {\r\n // No need to add a connection ID in this case\r\n this.transport = this._constructTransport(HttpTransportType.WebSockets);\r\n // We should just call connect directly in this case.\r\n // No fallback or negotiate in this case.\r\n await this._startTransport(url, transferFormat);\r\n } else {\r\n throw new Error(\"Negotiation can only be skipped when using the WebSocket transport directly.\");\r\n }\r\n } else {\r\n let negotiateResponse: INegotiateResponse | null = null;\r\n let redirects = 0;\r\n\r\n do {\r\n negotiateResponse = await this._getNegotiationResponse(url);\r\n // the user tries to stop the connection when it is being started\r\n if (this._connectionState === ConnectionState.Disconnecting || this._connectionState === ConnectionState.Disconnected) {\r\n throw new AbortError(\"The connection was stopped during negotiation.\");\r\n }\r\n\r\n if (negotiateResponse.error) {\r\n throw new Error(negotiateResponse.error);\r\n }\r\n\r\n if ((negotiateResponse as any).ProtocolVersion) {\r\n throw new Error(\"Detected a connection attempt to an ASP.NET SignalR Server. This client only supports connecting to an ASP.NET Core SignalR Server. See https://aka.ms/signalr-core-differences for details.\");\r\n }\r\n\r\n if (negotiateResponse.url) {\r\n url = negotiateResponse.url;\r\n }\r\n\r\n if (negotiateResponse.accessToken) {\r\n // Replace the current access token factory with one that uses\r\n // the returned access token\r\n const accessToken = negotiateResponse.accessToken;\r\n this._accessTokenFactory = () => accessToken;\r\n // set the factory to undefined so the AccessTokenHttpClient won't retry with the same token, since we know it won't change until a connection restart\r\n this._httpClient._accessToken = accessToken;\r\n this._httpClient._accessTokenFactory = undefined;\r\n }\r\n\r\n redirects++;\r\n }\r\n while (negotiateResponse.url && redirects < MAX_REDIRECTS);\r\n\r\n if (redirects === MAX_REDIRECTS && negotiateResponse.url) {\r\n throw new Error(\"Negotiate redirection limit exceeded.\");\r\n }\r\n\r\n await this._createTransport(url, this._options.transport, negotiateResponse, transferFormat);\r\n }\r\n\r\n if (this.transport instanceof LongPollingTransport) {\r\n this.features.inherentKeepAlive = true;\r\n }\r\n\r\n if (this._connectionState === ConnectionState.Connecting) {\r\n // Ensure the connection transitions to the connected state prior to completing this.startInternalPromise.\r\n // start() will handle the case when stop was called and startInternal exits still in the disconnecting state.\r\n this._logger.log(LogLevel.Debug, \"The HttpConnection connected successfully.\");\r\n this._connectionState = ConnectionState.Connected;\r\n }\r\n\r\n // stop() is waiting on us via this.startInternalPromise so keep this.transport around so it can clean up.\r\n // This is the only case startInternal can exit in neither the connected nor disconnected state because stopConnection()\r\n // will transition to the disconnected state. start() will wait for the transition using the stopPromise.\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, \"Failed to start the connection: \" + e);\r\n this._connectionState = ConnectionState.Disconnected;\r\n this.transport = undefined;\r\n\r\n // if start fails, any active calls to stop assume that start will complete the stop promise\r\n this._stopPromiseResolver();\r\n return Promise.reject(e);\r\n }\r\n }\r\n\r\n private async _getNegotiationResponse(url: string): Promise {\r\n const headers: {[k: string]: string} = {};\r\n const [name, value] = getUserAgentHeader();\r\n headers[name] = value;\r\n\r\n const negotiateUrl = this._resolveNegotiateUrl(url);\r\n this._logger.log(LogLevel.Debug, `Sending negotiation request: ${negotiateUrl}.`);\r\n try {\r\n const response = await this._httpClient.post(negotiateUrl, {\r\n content: \"\",\r\n headers: { ...headers, ...this._options.headers },\r\n timeout: this._options.timeout,\r\n withCredentials: this._options.withCredentials,\r\n });\r\n\r\n if (response.statusCode !== 200) {\r\n return Promise.reject(new Error(`Unexpected status code returned from negotiate '${response.statusCode}'`));\r\n }\r\n\r\n const negotiateResponse = JSON.parse(response.content as string) as INegotiateResponse;\r\n if (!negotiateResponse.negotiateVersion || negotiateResponse.negotiateVersion < 1) {\r\n // Negotiate version 0 doesn't use connectionToken\r\n // So we set it equal to connectionId so all our logic can use connectionToken without being aware of the negotiate version\r\n negotiateResponse.connectionToken = negotiateResponse.connectionId;\r\n }\r\n return negotiateResponse;\r\n } catch (e) {\r\n let errorMessage = \"Failed to complete negotiation with the server: \" + e;\r\n if (e instanceof HttpError) {\r\n if (e.statusCode === 404) {\r\n errorMessage = errorMessage + \" Either this is not a SignalR endpoint or there is a proxy blocking the connection.\";\r\n }\r\n }\r\n this._logger.log(LogLevel.Error, errorMessage);\r\n\r\n return Promise.reject(new FailedToNegotiateWithServerError(errorMessage));\r\n }\r\n }\r\n\r\n private _createConnectUrl(url: string, connectionToken: string | null | undefined) {\r\n if (!connectionToken) {\r\n return url;\r\n }\r\n\r\n return url + (url.indexOf(\"?\") === -1 ? \"?\" : \"&\") + `id=${connectionToken}`;\r\n }\r\n\r\n private async _createTransport(url: string, requestedTransport: HttpTransportType | ITransport | undefined, negotiateResponse: INegotiateResponse, requestedTransferFormat: TransferFormat): Promise {\r\n let connectUrl = this._createConnectUrl(url, negotiateResponse.connectionToken);\r\n if (this._isITransport(requestedTransport)) {\r\n this._logger.log(LogLevel.Debug, \"Connection was provided an instance of ITransport, using that directly.\");\r\n this.transport = requestedTransport;\r\n await this._startTransport(connectUrl, requestedTransferFormat);\r\n\r\n this.connectionId = negotiateResponse.connectionId;\r\n return;\r\n }\r\n\r\n const transportExceptions: any[] = [];\r\n const transports = negotiateResponse.availableTransports || [];\r\n let negotiate: INegotiateResponse | undefined = negotiateResponse;\r\n for (const endpoint of transports) {\r\n const transportOrError = this._resolveTransportOrError(endpoint, requestedTransport, requestedTransferFormat);\r\n if (transportOrError instanceof Error) {\r\n // Store the error and continue, we don't want to cause a re-negotiate in these cases\r\n transportExceptions.push(`${endpoint.transport} failed:`);\r\n transportExceptions.push(transportOrError);\r\n } else if (this._isITransport(transportOrError)) {\r\n this.transport = transportOrError;\r\n if (!negotiate) {\r\n try {\r\n negotiate = await this._getNegotiationResponse(url);\r\n } catch (ex) {\r\n return Promise.reject(ex);\r\n }\r\n connectUrl = this._createConnectUrl(url, negotiate.connectionToken);\r\n }\r\n try {\r\n await this._startTransport(connectUrl, requestedTransferFormat);\r\n this.connectionId = negotiate.connectionId;\r\n return;\r\n } catch (ex) {\r\n this._logger.log(LogLevel.Error, `Failed to start the transport '${endpoint.transport}': ${ex}`);\r\n negotiate = undefined;\r\n transportExceptions.push(new FailedToStartTransportError(`${endpoint.transport} failed: ${ex}`, HttpTransportType[endpoint.transport]));\r\n\r\n if (this._connectionState !== ConnectionState.Connecting) {\r\n const message = \"Failed to select transport before stop() was called.\";\r\n this._logger.log(LogLevel.Debug, message);\r\n return Promise.reject(new AbortError(message));\r\n }\r\n }\r\n }\r\n }\r\n\r\n if (transportExceptions.length > 0) {\r\n return Promise.reject(new AggregateErrors(`Unable to connect to the server with any of the available transports. ${transportExceptions.join(\" \")}`, transportExceptions));\r\n }\r\n return Promise.reject(new Error(\"None of the transports supported by the client are supported by the server.\"));\r\n }\r\n\r\n private _constructTransport(transport: HttpTransportType): ITransport {\r\n switch (transport) {\r\n case HttpTransportType.WebSockets:\r\n if (!this._options.WebSocket) {\r\n throw new Error(\"'WebSocket' is not supported in your environment.\");\r\n }\r\n return new WebSocketTransport(this._httpClient, this._accessTokenFactory, this._logger, this._options.logMessageContent!, this._options.WebSocket, this._options.headers || {});\r\n case HttpTransportType.ServerSentEvents:\r\n if (!this._options.EventSource) {\r\n throw new Error(\"'EventSource' is not supported in your environment.\");\r\n }\r\n return new ServerSentEventsTransport(this._httpClient, this._httpClient._accessToken, this._logger, this._options);\r\n case HttpTransportType.LongPolling:\r\n return new LongPollingTransport(this._httpClient, this._logger, this._options);\r\n default:\r\n throw new Error(`Unknown transport: ${transport}.`);\r\n }\r\n }\r\n\r\n private _startTransport(url: string, transferFormat: TransferFormat): Promise {\r\n this.transport!.onreceive = this.onreceive;\r\n this.transport!.onclose = (e) => this._stopConnection(e);\r\n return this.transport!.connect(url, transferFormat);\r\n }\r\n\r\n private _resolveTransportOrError(endpoint: IAvailableTransport, requestedTransport: HttpTransportType | undefined, requestedTransferFormat: TransferFormat): ITransport | Error {\r\n const transport = HttpTransportType[endpoint.transport];\r\n if (transport === null || transport === undefined) {\r\n this._logger.log(LogLevel.Debug, `Skipping transport '${endpoint.transport}' because it is not supported by this client.`);\r\n return new Error(`Skipping transport '${endpoint.transport}' because it is not supported by this client.`);\r\n } else {\r\n if (transportMatches(requestedTransport, transport)) {\r\n const transferFormats = endpoint.transferFormats.map((s) => TransferFormat[s]);\r\n if (transferFormats.indexOf(requestedTransferFormat) >= 0) {\r\n if ((transport === HttpTransportType.WebSockets && !this._options.WebSocket) ||\r\n (transport === HttpTransportType.ServerSentEvents && !this._options.EventSource)) {\r\n this._logger.log(LogLevel.Debug, `Skipping transport '${HttpTransportType[transport]}' because it is not supported in your environment.'`);\r\n return new UnsupportedTransportError(`'${HttpTransportType[transport]}' is not supported in your environment.`, transport);\r\n } else {\r\n this._logger.log(LogLevel.Debug, `Selecting transport '${HttpTransportType[transport]}'.`);\r\n try {\r\n return this._constructTransport(transport);\r\n } catch (ex) {\r\n return ex;\r\n }\r\n }\r\n } else {\r\n this._logger.log(LogLevel.Debug, `Skipping transport '${HttpTransportType[transport]}' because it does not support the requested transfer format '${TransferFormat[requestedTransferFormat]}'.`);\r\n return new Error(`'${HttpTransportType[transport]}' does not support ${TransferFormat[requestedTransferFormat]}.`);\r\n }\r\n } else {\r\n this._logger.log(LogLevel.Debug, `Skipping transport '${HttpTransportType[transport]}' because it was disabled by the client.`);\r\n return new DisabledTransportError(`'${HttpTransportType[transport]}' is disabled by the client.`, transport);\r\n }\r\n }\r\n }\r\n\r\n private _isITransport(transport: any): transport is ITransport {\r\n return transport && typeof (transport) === \"object\" && \"connect\" in transport;\r\n }\r\n\r\n private _stopConnection(error?: Error): void {\r\n this._logger.log(LogLevel.Debug, `HttpConnection.stopConnection(${error}) called while in state ${this._connectionState}.`);\r\n\r\n this.transport = undefined;\r\n\r\n // If we have a stopError, it takes precedence over the error from the transport\r\n error = this._stopError || error;\r\n this._stopError = undefined;\r\n\r\n if (this._connectionState === ConnectionState.Disconnected) {\r\n this._logger.log(LogLevel.Debug, `Call to HttpConnection.stopConnection(${error}) was ignored because the connection is already in the disconnected state.`);\r\n return;\r\n }\r\n\r\n if (this._connectionState === ConnectionState.Connecting) {\r\n this._logger.log(LogLevel.Warning, `Call to HttpConnection.stopConnection(${error}) was ignored because the connection is still in the connecting state.`);\r\n throw new Error(`HttpConnection.stopConnection(${error}) was called while the connection is still in the connecting state.`);\r\n }\r\n\r\n if (this._connectionState === ConnectionState.Disconnecting) {\r\n // A call to stop() induced this call to stopConnection and needs to be completed.\r\n // Any stop() awaiters will be scheduled to continue after the onclose callback fires.\r\n this._stopPromiseResolver();\r\n }\r\n\r\n if (error) {\r\n this._logger.log(LogLevel.Error, `Connection disconnected with error '${error}'.`);\r\n } else {\r\n this._logger.log(LogLevel.Information, \"Connection disconnected.\");\r\n }\r\n\r\n if (this._sendQueue) {\r\n this._sendQueue.stop().catch((e) => {\r\n this._logger.log(LogLevel.Error, `TransportSendQueue.stop() threw error '${e}'.`);\r\n });\r\n this._sendQueue = undefined;\r\n }\r\n\r\n this.connectionId = undefined;\r\n this._connectionState = ConnectionState.Disconnected;\r\n\r\n if (this._connectionStarted) {\r\n this._connectionStarted = false;\r\n try {\r\n if (this.onclose) {\r\n this.onclose(error);\r\n }\r\n } catch (e) {\r\n this._logger.log(LogLevel.Error, `HttpConnection.onclose(${error}) threw error '${e}'.`);\r\n }\r\n }\r\n }\r\n\r\n private _resolveUrl(url: string): string {\r\n // startsWith is not supported in IE\r\n if (url.lastIndexOf(\"https://\", 0) === 0 || url.lastIndexOf(\"http://\", 0) === 0) {\r\n return url;\r\n }\r\n\r\n if (!Platform.isBrowser) {\r\n throw new Error(`Cannot resolve '${url}'.`);\r\n }\r\n\r\n // Setting the url to the href propery of an anchor tag handles normalization\r\n // for us. There are 3 main cases.\r\n // 1. Relative path normalization e.g \"b\" -> \"http://localhost:5000/a/b\"\r\n // 2. Absolute path normalization e.g \"/a/b\" -> \"http://localhost:5000/a/b\"\r\n // 3. Networkpath reference normalization e.g \"//localhost:5000/a/b\" -> \"http://localhost:5000/a/b\"\r\n const aTag = window.document.createElement(\"a\");\r\n aTag.href = url;\r\n\r\n this._logger.log(LogLevel.Information, `Normalizing '${url}' to '${aTag.href}'.`);\r\n return aTag.href;\r\n }\r\n\r\n private _resolveNegotiateUrl(url: string): string {\r\n const index = url.indexOf(\"?\");\r\n let negotiateUrl = url.substring(0, index === -1 ? url.length : index);\r\n if (negotiateUrl[negotiateUrl.length - 1] !== \"/\") {\r\n negotiateUrl += \"/\";\r\n }\r\n negotiateUrl += \"negotiate\";\r\n negotiateUrl += index === -1 ? \"\" : url.substring(index);\r\n\r\n if (negotiateUrl.indexOf(\"negotiateVersion\") === -1) {\r\n negotiateUrl += index === -1 ? \"?\" : \"&\";\r\n negotiateUrl += \"negotiateVersion=\" + this._negotiateVersion;\r\n }\r\n return negotiateUrl;\r\n }\r\n}\r\n\r\nfunction transportMatches(requestedTransport: HttpTransportType | undefined, actualTransport: HttpTransportType) {\r\n return !requestedTransport || ((actualTransport & requestedTransport) !== 0);\r\n}\r\n\r\n/** @private */\r\nexport class TransportSendQueue {\r\n private _buffer: any[] = [];\r\n private _sendBufferedData: PromiseSource;\r\n private _executing: boolean = true;\r\n private _transportResult?: PromiseSource;\r\n private _sendLoopPromise: Promise;\r\n\r\n constructor(private readonly _transport: ITransport) {\r\n this._sendBufferedData = new PromiseSource();\r\n this._transportResult = new PromiseSource();\r\n\r\n this._sendLoopPromise = this._sendLoop();\r\n }\r\n\r\n public send(data: string | ArrayBuffer): Promise {\r\n this._bufferData(data);\r\n if (!this._transportResult) {\r\n this._transportResult = new PromiseSource();\r\n }\r\n return this._transportResult.promise;\r\n }\r\n\r\n public stop(): Promise {\r\n this._executing = false;\r\n this._sendBufferedData.resolve();\r\n return this._sendLoopPromise;\r\n }\r\n\r\n private _bufferData(data: string | ArrayBuffer): void {\r\n if (this._buffer.length && typeof(this._buffer[0]) !== typeof(data)) {\r\n throw new Error(`Expected data to be of type ${typeof(this._buffer)} but was of type ${typeof(data)}`);\r\n }\r\n\r\n this._buffer.push(data);\r\n this._sendBufferedData.resolve();\r\n }\r\n\r\n private async _sendLoop(): Promise {\r\n while (true) {\r\n await this._sendBufferedData.promise;\r\n\r\n if (!this._executing) {\r\n if (this._transportResult) {\r\n this._transportResult.reject(\"Connection stopped.\");\r\n }\r\n\r\n break;\r\n }\r\n\r\n this._sendBufferedData = new PromiseSource();\r\n\r\n const transportResult = this._transportResult!;\r\n this._transportResult = undefined;\r\n\r\n const data = typeof(this._buffer[0]) === \"string\" ?\r\n this._buffer.join(\"\") :\r\n TransportSendQueue._concatBuffers(this._buffer);\r\n\r\n this._buffer.length = 0;\r\n\r\n try {\r\n await this._transport.send(data);\r\n transportResult.resolve();\r\n } catch (error) {\r\n transportResult.reject(error);\r\n }\r\n }\r\n }\r\n\r\n private static _concatBuffers(arrayBuffers: ArrayBuffer[]): ArrayBuffer {\r\n const totalLength = arrayBuffers.map((b) => b.byteLength).reduce((a, b) => a + b);\r\n const result = new Uint8Array(totalLength);\r\n let offset = 0;\r\n for (const item of arrayBuffers) {\r\n result.set(new Uint8Array(item), offset);\r\n offset += item.byteLength;\r\n }\r\n\r\n return result.buffer;\r\n }\r\n}\r\n\r\nclass PromiseSource {\r\n private _resolver?: () => void;\r\n private _rejecter!: (reason?: any) => void;\r\n public promise: Promise;\r\n\r\n constructor() {\r\n this.promise = new Promise((resolve, reject) => [this._resolver, this._rejecter] = [resolve, reject]);\r\n }\r\n\r\n public resolve(): void {\r\n this._resolver!();\r\n }\r\n\r\n public reject(reason?: any): void {\r\n this._rejecter!(reason);\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { CompletionMessage, HubMessage, IHubProtocol, InvocationMessage, MessageType, StreamItemMessage } from \"./IHubProtocol\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { TransferFormat } from \"./ITransport\";\r\nimport { NullLogger } from \"./Loggers\";\r\nimport { TextMessageFormat } from \"./TextMessageFormat\";\r\n\r\nconst JSON_HUB_PROTOCOL_NAME: string = \"json\";\r\n\r\n/** Implements the JSON Hub Protocol. */\r\nexport class JsonHubProtocol implements IHubProtocol {\r\n\r\n /** @inheritDoc */\r\n public readonly name: string = JSON_HUB_PROTOCOL_NAME;\r\n /** @inheritDoc */\r\n public readonly version: number = 1;\r\n\r\n /** @inheritDoc */\r\n public readonly transferFormat: TransferFormat = TransferFormat.Text;\r\n\r\n /** Creates an array of {@link @microsoft/signalr.HubMessage} objects from the specified serialized representation.\r\n *\r\n * @param {string} input A string containing the serialized representation.\r\n * @param {ILogger} logger A logger that will be used to log messages that occur during parsing.\r\n */\r\n public parseMessages(input: string, logger: ILogger): HubMessage[] {\r\n // The interface does allow \"ArrayBuffer\" to be passed in, but this implementation does not. So let's throw a useful error.\r\n if (typeof input !== \"string\") {\r\n throw new Error(\"Invalid input for JSON hub protocol. Expected a string.\");\r\n }\r\n\r\n if (!input) {\r\n return [];\r\n }\r\n\r\n if (logger === null) {\r\n logger = NullLogger.instance;\r\n }\r\n\r\n // Parse the messages\r\n const messages = TextMessageFormat.parse(input);\r\n\r\n const hubMessages = [];\r\n for (const message of messages) {\r\n const parsedMessage = JSON.parse(message) as HubMessage;\r\n if (typeof parsedMessage.type !== \"number\") {\r\n throw new Error(\"Invalid payload.\");\r\n }\r\n switch (parsedMessage.type) {\r\n case MessageType.Invocation:\r\n this._isInvocationMessage(parsedMessage);\r\n break;\r\n case MessageType.StreamItem:\r\n this._isStreamItemMessage(parsedMessage);\r\n break;\r\n case MessageType.Completion:\r\n this._isCompletionMessage(parsedMessage);\r\n break;\r\n case MessageType.Ping:\r\n // Single value, no need to validate\r\n break;\r\n case MessageType.Close:\r\n // All optional values, no need to validate\r\n break;\r\n default:\r\n // Future protocol changes can add message types, old clients can ignore them\r\n logger.log(LogLevel.Information, \"Unknown message type '\" + parsedMessage.type + \"' ignored.\");\r\n continue;\r\n }\r\n hubMessages.push(parsedMessage);\r\n }\r\n\r\n return hubMessages;\r\n }\r\n\r\n /** Writes the specified {@link @microsoft/signalr.HubMessage} to a string and returns it.\r\n *\r\n * @param {HubMessage} message The message to write.\r\n * @returns {string} A string containing the serialized representation of the message.\r\n */\r\n public writeMessage(message: HubMessage): string {\r\n return TextMessageFormat.write(JSON.stringify(message));\r\n }\r\n\r\n private _isInvocationMessage(message: InvocationMessage): void {\r\n this._assertNotEmptyString(message.target, \"Invalid payload for Invocation message.\");\r\n\r\n if (message.invocationId !== undefined) {\r\n this._assertNotEmptyString(message.invocationId, \"Invalid payload for Invocation message.\");\r\n }\r\n }\r\n\r\n private _isStreamItemMessage(message: StreamItemMessage): void {\r\n this._assertNotEmptyString(message.invocationId, \"Invalid payload for StreamItem message.\");\r\n\r\n if (message.item === undefined) {\r\n throw new Error(\"Invalid payload for StreamItem message.\");\r\n }\r\n }\r\n\r\n private _isCompletionMessage(message: CompletionMessage): void {\r\n if (message.result && message.error) {\r\n throw new Error(\"Invalid payload for Completion message.\");\r\n }\r\n\r\n if (!message.result && message.error) {\r\n this._assertNotEmptyString(message.error, \"Invalid payload for Completion message.\");\r\n }\r\n\r\n this._assertNotEmptyString(message.invocationId, \"Invalid payload for Completion message.\");\r\n }\r\n\r\n private _assertNotEmptyString(value: any, errorMessage: string): void {\r\n if (typeof value !== \"string\" || value === \"\") {\r\n throw new Error(errorMessage);\r\n }\r\n }\r\n}\r\n", "// Licensed to the .NET Foundation under one or more agreements.\r\n// The .NET Foundation licenses this file to you under the MIT license.\r\n\r\nimport { DefaultReconnectPolicy } from \"./DefaultReconnectPolicy\";\r\nimport { HttpConnection } from \"./HttpConnection\";\r\nimport { HubConnection } from \"./HubConnection\";\r\nimport { IHttpConnectionOptions } from \"./IHttpConnectionOptions\";\r\nimport { IHubProtocol } from \"./IHubProtocol\";\r\nimport { ILogger, LogLevel } from \"./ILogger\";\r\nimport { IRetryPolicy } from \"./IRetryPolicy\";\r\nimport { HttpTransportType } from \"./ITransport\";\r\nimport { JsonHubProtocol } from \"./JsonHubProtocol\";\r\nimport { NullLogger } from \"./Loggers\";\r\nimport { Arg, ConsoleLogger } from \"./Utils\";\r\n\r\nconst LogLevelNameMapping: {[k: string]: LogLevel} = {\r\n trace: LogLevel.Trace,\r\n debug: LogLevel.Debug,\r\n info: LogLevel.Information,\r\n information: LogLevel.Information,\r\n warn: LogLevel.Warning,\r\n warning: LogLevel.Warning,\r\n error: LogLevel.Error,\r\n critical: LogLevel.Critical,\r\n none: LogLevel.None,\r\n};\r\n\r\nfunction parseLogLevel(name: string): LogLevel {\r\n // Case-insensitive matching via lower-casing\r\n // Yes, I know case-folding is a complicated problem in Unicode, but we only support\r\n // the ASCII strings defined in LogLevelNameMapping anyway, so it's fine -anurse.\r\n const mapping = LogLevelNameMapping[name.toLowerCase()];\r\n if (typeof mapping !== \"undefined\") {\r\n return mapping;\r\n } else {\r\n throw new Error(`Unknown log level: ${name}`);\r\n }\r\n}\r\n\r\n/** A builder for configuring {@link @microsoft/signalr.HubConnection} instances. */\r\nexport class HubConnectionBuilder {\r\n /** @internal */\r\n public protocol?: IHubProtocol;\r\n /** @internal */\r\n public httpConnectionOptions?: IHttpConnectionOptions;\r\n /** @internal */\r\n public url?: string;\r\n /** @internal */\r\n public logger?: ILogger;\r\n\r\n /** If defined, this indicates the client should automatically attempt to reconnect if the connection is lost. */\r\n /** @internal */\r\n public reconnectPolicy?: IRetryPolicy;\r\n\r\n /** Configures console logging for the {@link @microsoft/signalr.HubConnection}.\r\n *\r\n * @param {LogLevel} logLevel The minimum level of messages to log. Anything at this level, or a more severe level, will be logged.\r\n * @returns The {@link @microsoft/signalr.HubConnectionBuilder} instance, for chaining.\r\n */\r\n public configureLogging(logLevel: LogLevel): HubConnectionBuilder;\r\n\r\n /** Configures custom logging for the {@link @microsoft/signalr.HubConnection}.\r\n *\r\n * @param {ILogger} logger An object implementing the {@link @microsoft/signalr.ILogger} interface, which will be used to write all log messages.\r\n * @returns The {@link @microsoft/signalr.HubConnectionBuilder} instance, for chaining.\r\n */\r\n public configureLogging(logger: ILogger): HubConnectionBuilder;\r\n\r\n /** Configures custom logging for the {@link @microsoft/signalr.HubConnection}.\r\n *\r\n * @param {string} logLevel A string representing a LogLevel setting a minimum level of messages to log.\r\n * See {@link https://docs.microsoft.com/aspnet/core/signalr/configuration#configure-logging|the documentation for client logging configuration} for more details.\r\n */\r\n public configureLogging(logLevel: string): HubConnectionBuilder;\r\n\r\n /** Configures custom logging for the {@link @microsoft/signalr.HubConnection}.\r\n *\r\n * @param {LogLevel | string | ILogger} logging A {@link @microsoft/signalr.LogLevel}, a string representing a LogLevel, or an object implementing the {@link @microsoft/signalr.ILogger} interface.\r\n * See {@link https://docs.microsoft.com/aspnet/core/signalr/configuration#configure-logging|the documentation for client logging configuration} for more details.\r\n * @returns The {@link @microsoft/signalr.HubConnectionBuilder} instance, for chaining.\r\n */\r\n public configureLogging(logging: LogLevel | string | ILogger): HubConnectionBuilder;\r\n public configureLogging(logging: LogLevel | string | ILogger): HubConnectionBuilder {\r\n Arg.isRequired(logging, \"logging\");\r\n\r\n if (isLogger(logging)) {\r\n this.logger = logging;\r\n } else if (typeof logging === \"string\") {\r\n const logLevel = parseLogLevel(logging);\r\n this.logger = new ConsoleLogger(logLevel);\r\n } else {\r\n this.logger = new ConsoleLogger(logging);\r\n }\r\n\r\n return this;\r\n }\r\n\r\n /** Configures the {@link @microsoft/signalr.HubConnection} to use HTTP-based transports to connect to the specified URL.\r\n *\r\n * The transport will be selected automatically based on what the server and client support.\r\n *\r\n * @param {string} url The URL the connection will use.\r\n * @returns The {@link @microsoft/signalr.HubConnectionBuilder} instance, for chaining.\r\n */\r\n public withUrl(url: string): HubConnectionBuilder;\r\n\r\n /** Configures the {@link @microsoft/signalr.HubConnection} to use the specified HTTP-based transport to connect to the specified URL.\r\n *\r\n * @param {string} url The URL the connection will use.\r\n * @param {HttpTransportType} transportType The specific transport to use.\r\n * @returns The {@link @microsoft/signalr.HubConnectionBuilder} instance, for chaining.\r\n */\r\n public withUrl(url: string, transportType: HttpTransportType): HubConnectionBuilder;\r\n\r\n /** Configures the {@link @microsoft/signalr.HubConnection} to use HTTP-based transports to connect to the specified URL.\r\n *\r\n * @param {string} url The URL the connection will use.\r\n * @param {IHttpConnectionOptions} options An options object used to configure the connection.\r\n * @returns The {@link @microsoft/signalr.HubConnectionBuilder} instance, for chaining.\r\n */\r\n public withUrl(url: string, options: IHttpConnectionOptions): HubConnectionBuilder;\r\n public withUrl(url: string, transportTypeOrOptions?: IHttpConnectionOptions | HttpTransportType): HubConnectionBuilder {\r\n Arg.isRequired(url, \"url\");\r\n Arg.isNotEmpty(url, \"url\");\r\n\r\n this.url = url;\r\n\r\n // Flow-typing knows where it's at. Since HttpTransportType is a number and IHttpConnectionOptions is guaranteed\r\n // to be an object, we know (as does TypeScript) this comparison is all we need to figure out which overload was called.\r\n if (typeof transportTypeOrOptions === \"object\") {\r\n this.httpConnectionOptions = { ...this.httpConnectionOptions, ...transportTypeOrOptions };\r\n } else {\r\n this.httpConnectionOptions = {\r\n ...this.httpConnectionOptions,\r\n transport: transportTypeOrOptions,\r\n };\r\n }\r\n\r\n return this;\r\n }\r\n\r\n /** Configures the {@link @microsoft/signalr.HubConnection} to use the specified Hub Protocol.\r\n *\r\n * @param {IHubProtocol} protocol The {@link @microsoft/signalr.IHubProtocol} implementation to use.\r\n */\r\n public withHubProtocol(protocol: IHubProtocol): HubConnectionBuilder {\r\n Arg.isRequired(protocol, \"protocol\");\r\n\r\n this.protocol = protocol;\r\n return this;\r\n }\r\n\r\n /** Configures the {@link @microsoft/signalr.HubConnection} to automatically attempt to reconnect if the connection is lost.\r\n * By default, the client will wait 0, 2, 10 and 30 seconds respectively before trying up to 4 reconnect attempts.\r\n */\r\n public withAutomaticReconnect(): HubConnectionBuilder;\r\n\r\n /** Configures the {@link @microsoft/signalr.HubConnection} to automatically attempt to reconnect if the connection is lost.\r\n *\r\n * @param {number[]} retryDelays An array containing the delays in milliseconds before trying each reconnect attempt.\r\n * The length of the array represents how many failed reconnect attempts it takes before the client will stop attempting to reconnect.\r\n */\r\n public withAutomaticReconnect(retryDelays: number[]): HubConnectionBuilder;\r\n\r\n /** Configures the {@link @microsoft/signalr.HubConnection} to automatically attempt to reconnect if the connection is lost.\r\n *\r\n * @param {IRetryPolicy} reconnectPolicy An {@link @microsoft/signalR.IRetryPolicy} that controls the timing and number of reconnect attempts.\r\n */\r\n public withAutomaticReconnect(reconnectPolicy: IRetryPolicy): HubConnectionBuilder;\r\n public withAutomaticReconnect(retryDelaysOrReconnectPolicy?: number[] | IRetryPolicy): HubConnectionBuilder {\r\n if (this.reconnectPolicy) {\r\n throw new Error(\"A reconnectPolicy has already been set.\");\r\n }\r\n\r\n if (!retryDelaysOrReconnectPolicy) {\r\n this.reconnectPolicy = new DefaultReconnectPolicy();\r\n } else if (Array.isArray(retryDelaysOrReconnectPolicy)) {\r\n this.reconnectPolicy = new DefaultReconnectPolicy(retryDelaysOrReconnectPolicy);\r\n } else {\r\n this.reconnectPolicy = retryDelaysOrReconnectPolicy;\r\n }\r\n\r\n return this;\r\n }\r\n\r\n /** Creates a {@link @microsoft/signalr.HubConnection} from the configuration options specified in this builder.\r\n *\r\n * @returns {HubConnection} The configured {@link @microsoft/signalr.HubConnection}.\r\n */\r\n public build(): HubConnection {\r\n // If httpConnectionOptions has a logger, use it. Otherwise, override it with the one\r\n // provided to configureLogger\r\n const httpConnectionOptions = this.httpConnectionOptions || {};\r\n\r\n // If it's 'null', the user **explicitly** asked for null, don't mess with it.\r\n if (httpConnectionOptions.logger === undefined) {\r\n // If our logger is undefined or null, that's OK, the HttpConnection constructor will handle it.\r\n httpConnectionOptions.logger = this.logger;\r\n }\r\n\r\n // Now create the connection\r\n if (!this.url) {\r\n throw new Error(\"The 'HubConnectionBuilder.withUrl' method must be called before building the connection.\");\r\n }\r\n const connection = new HttpConnection(this.url, httpConnectionOptions);\r\n\r\n return HubConnection.create(\r\n connection,\r\n this.logger || NullLogger.instance,\r\n this.protocol || new JsonHubProtocol(),\r\n this.reconnectPolicy);\r\n }\r\n}\r\n\r\nfunction isLogger(logger: any): logger is ILogger {\r\n return logger.log !== undefined;\r\n}\r\n", "/******************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\n/* global Reflect, Promise, SuppressedError, Symbol */\n\nvar extendStatics = function(d, b) {\n extendStatics = Object.setPrototypeOf ||\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\n return extendStatics(d, b);\n};\n\nexport function __extends(d, b) {\n if (typeof b !== \"function\" && b !== null)\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\n extendStatics(d, b);\n function __() { this.constructor = d; }\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\n}\n\nexport var __assign = function() {\n __assign = Object.assign || function __assign(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\n }\n return t;\n }\n return __assign.apply(this, arguments);\n}\n\nexport function __rest(s, e) {\n var t = {};\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\n t[p] = s[p];\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\n t[p[i]] = s[p[i]];\n }\n return t;\n}\n\nexport function __decorate(decorators, target, key, desc) {\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\n return c > 3 && r && Object.defineProperty(target, key, r), r;\n}\n\nexport function __param(paramIndex, decorator) {\n return function (target, key) { decorator(target, key, paramIndex); }\n}\n\nexport function __esDecorate(ctor, descriptorIn, decorators, contextIn, initializers, extraInitializers) {\n function accept(f) { if (f !== void 0 && typeof f !== \"function\") throw new TypeError(\"Function expected\"); return f; }\n var kind = contextIn.kind, key = kind === \"getter\" ? \"get\" : kind === \"setter\" ? \"set\" : \"value\";\n var target = !descriptorIn && ctor ? contextIn[\"static\"] ? ctor : ctor.prototype : null;\n var descriptor = descriptorIn || (target ? Object.getOwnPropertyDescriptor(target, contextIn.name) : {});\n var _, done = false;\n for (var i = decorators.length - 1; i >= 0; i--) {\n var context = {};\n for (var p in contextIn) context[p] = p === \"access\" ? {} : contextIn[p];\n for (var p in contextIn.access) context.access[p] = contextIn.access[p];\n context.addInitializer = function (f) { if (done) throw new TypeError(\"Cannot add initializers after decoration has completed\"); extraInitializers.push(accept(f || null)); };\n var result = (0, decorators[i])(kind === \"accessor\" ? { get: descriptor.get, set: descriptor.set } : descriptor[key], context);\n if (kind === \"accessor\") {\n if (result === void 0) continue;\n if (result === null || typeof result !== \"object\") throw new TypeError(\"Object expected\");\n if (_ = accept(result.get)) descriptor.get = _;\n if (_ = accept(result.set)) descriptor.set = _;\n if (_ = accept(result.init)) initializers.unshift(_);\n }\n else if (_ = accept(result)) {\n if (kind === \"field\") initializers.unshift(_);\n else descriptor[key] = _;\n }\n }\n if (target) Object.defineProperty(target, contextIn.name, descriptor);\n done = true;\n};\n\nexport function __runInitializers(thisArg, initializers, value) {\n var useValue = arguments.length > 2;\n for (var i = 0; i < initializers.length; i++) {\n value = useValue ? initializers[i].call(thisArg, value) : initializers[i].call(thisArg);\n }\n return useValue ? value : void 0;\n};\n\nexport function __propKey(x) {\n return typeof x === \"symbol\" ? x : \"\".concat(x);\n};\n\nexport function __setFunctionName(f, name, prefix) {\n if (typeof name === \"symbol\") name = name.description ? \"[\".concat(name.description, \"]\") : \"\";\n return Object.defineProperty(f, \"name\", { configurable: true, value: prefix ? \"\".concat(prefix, \" \", name) : name });\n};\n\nexport function __metadata(metadataKey, metadataValue) {\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\n}\n\nexport function __awaiter(thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n}\n\nexport function __generator(thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n}\n\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n var desc = Object.getOwnPropertyDescriptor(m, k);\n if (!desc || (\"get\" in desc ? !m.__esModule : desc.writable || desc.configurable)) {\n desc = { enumerable: true, get: function() { return m[k]; } };\n }\n Object.defineProperty(o, k2, desc);\n}) : (function(o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n o[k2] = m[k];\n});\n\nexport function __exportStar(m, o) {\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\n}\n\nexport function __values(o) {\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\n if (m) return m.call(o);\n if (o && typeof o.length === \"number\") return {\n next: function () {\n if (o && i >= o.length) o = void 0;\n return { value: o && o[i++], done: !o };\n }\n };\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}\n\nexport function __read(o, n) {\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\n if (!m) return o;\n var i = m.call(o), r, ar = [], e;\n try {\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\n }\n catch (error) { e = { error: error }; }\n finally {\n try {\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\n }\n finally { if (e) throw e.error; }\n }\n return ar;\n}\n\n/** @deprecated */\nexport function __spread() {\n for (var ar = [], i = 0; i < arguments.length; i++)\n ar = ar.concat(__read(arguments[i]));\n return ar;\n}\n\n/** @deprecated */\nexport function __spreadArrays() {\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\n r[k] = a[j];\n return r;\n}\n\nexport function __spreadArray(to, from, pack) {\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\n if (ar || !(i in from)) {\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\n ar[i] = from[i];\n }\n }\n return to.concat(ar || Array.prototype.slice.call(from));\n}\n\nexport function __await(v) {\n return this instanceof __await ? (this.v = v, this) : new __await(v);\n}\n\nexport function __asyncGenerator(thisArg, _arguments, generator) {\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\n function fulfill(value) { resume(\"next\", value); }\n function reject(value) { resume(\"throw\", value); }\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\n}\n\nexport function __asyncDelegator(o) {\n var i, p;\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: false } : f ? f(v) : v; } : f; }\n}\n\nexport function __asyncValues(o) {\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\n var m = o[Symbol.asyncIterator], i;\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\n}\n\nexport function __makeTemplateObject(cooked, raw) {\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\n return cooked;\n};\n\nvar __setModuleDefault = Object.create ? (function(o, v) {\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\n}) : function(o, v) {\n o[\"default\"] = v;\n};\n\nexport function __importStar(mod) {\n if (mod && mod.__esModule) return mod;\n var result = {};\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\n __setModuleDefault(result, mod);\n return result;\n}\n\nexport function __importDefault(mod) {\n return (mod && mod.__esModule) ? mod : { default: mod };\n}\n\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\n}\n\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\n}\n\nexport function __classPrivateFieldIn(state, receiver) {\n if (receiver === null || (typeof receiver !== \"object\" && typeof receiver !== \"function\")) throw new TypeError(\"Cannot use 'in' operator on non-object\");\n return typeof state === \"function\" ? receiver === state : state.has(receiver);\n}\n\nexport function __addDisposableResource(env, value, async) {\n if (value !== null && value !== void 0) {\n if (typeof value !== \"object\") throw new TypeError(\"Object expected.\");\n var dispose;\n if (async) {\n if (!Symbol.asyncDispose) throw new TypeError(\"Symbol.asyncDispose is not defined.\");\n dispose = value[Symbol.asyncDispose];\n }\n if (dispose === void 0) {\n if (!Symbol.dispose) throw new TypeError(\"Symbol.dispose is not defined.\");\n dispose = value[Symbol.dispose];\n }\n if (typeof dispose !== \"function\") throw new TypeError(\"Object not disposable.\");\n env.stack.push({ value: value, dispose: dispose, async: async });\n }\n else if (async) {\n env.stack.push({ async: true });\n }\n return value;\n}\n\nvar _SuppressedError = typeof SuppressedError === \"function\" ? SuppressedError : function (error, suppressed, message) {\n var e = new Error(message);\n return e.name = \"SuppressedError\", e.error = error, e.suppressed = suppressed, e;\n};\n\nexport function __disposeResources(env) {\n function fail(e) {\n env.error = env.hasError ? new _SuppressedError(e, env.error, \"An error was suppressed during disposal.\") : e;\n env.hasError = true;\n }\n function next() {\n while (env.stack.length) {\n var rec = env.stack.pop();\n try {\n var result = rec.dispose && rec.dispose.call(rec.value);\n if (rec.async) return Promise.resolve(result).then(next, function(e) { fail(e); return next(); });\n }\n catch (e) {\n fail(e);\n }\n }\n if (env.hasError) throw env.error;\n }\n return next();\n}\n\nexport default {\n __extends,\n __assign,\n __rest,\n __decorate,\n __param,\n __metadata,\n __awaiter,\n __generator,\n __createBinding,\n __exportStar,\n __values,\n __read,\n __spread,\n __spreadArrays,\n __spreadArray,\n __await,\n __asyncGenerator,\n __asyncDelegator,\n __asyncValues,\n __makeTemplateObject,\n __importStar,\n __importDefault,\n __classPrivateFieldGet,\n __classPrivateFieldSet,\n __classPrivateFieldIn,\n __addDisposableResource,\n __disposeResources,\n};\n", "/**\n * Returns true if the object is a function.\n * @param value The value to check\n */\nexport function isFunction(value: any): value is (...args: any[]) => any {\n return typeof value === 'function';\n}\n", "/**\n * Used to create Error subclasses until the community moves away from ES5.\n *\n * This is because compiling from TypeScript down to ES5 has issues with subclassing Errors\n * as well as other built-in types: https://github.com/Microsoft/TypeScript/issues/12123\n *\n * @param createImpl A factory function to create the actual constructor implementation. The returned\n * function should be a named function that calls `_super` internally.\n */\nexport function createErrorClass(createImpl: (_super: any) => any): T {\n const _super = (instance: any) => {\n Error.call(instance);\n instance.stack = new Error().stack;\n };\n\n const ctorFunc = createImpl(_super);\n ctorFunc.prototype = Object.create(Error.prototype);\n ctorFunc.prototype.constructor = ctorFunc;\n return ctorFunc;\n}\n", "import { createErrorClass } from './createErrorClass';\n\nexport interface UnsubscriptionError extends Error {\n readonly errors: any[];\n}\n\nexport interface UnsubscriptionErrorCtor {\n /**\n * @deprecated Internal implementation detail. Do not construct error instances.\n * Cannot be tagged as internal: https://github.com/ReactiveX/rxjs/issues/6269\n */\n new (errors: any[]): UnsubscriptionError;\n}\n\n/**\n * An error thrown when one or more errors have occurred during the\n * `unsubscribe` of a {@link Subscription}.\n */\nexport const UnsubscriptionError: UnsubscriptionErrorCtor = createErrorClass(\n (_super) =>\n function UnsubscriptionErrorImpl(this: any, errors: (Error | string)[]) {\n _super(this);\n this.message = errors\n ? `${errors.length} errors occurred during unsubscription:\n${errors.map((err, i) => `${i + 1}) ${err.toString()}`).join('\\n ')}`\n : '';\n this.name = 'UnsubscriptionError';\n this.errors = errors;\n }\n);\n", "/**\n * Removes an item from an array, mutating it.\n * @param arr The array to remove the item from\n * @param item The item to remove\n */\nexport function arrRemove(arr: T[] | undefined | null, item: T) {\n if (arr) {\n const index = arr.indexOf(item);\n 0 <= index && arr.splice(index, 1);\n }\n}\n", "import { isFunction } from './util/isFunction';\nimport { UnsubscriptionError } from './util/UnsubscriptionError';\nimport { SubscriptionLike, TeardownLogic, Unsubscribable } from './types';\nimport { arrRemove } from './util/arrRemove';\n\n/**\n * Represents a disposable resource, such as the execution of an Observable. A\n * Subscription has one important method, `unsubscribe`, that takes no argument\n * and just disposes the resource held by the subscription.\n *\n * Additionally, subscriptions may be grouped together through the `add()`\n * method, which will attach a child Subscription to the current Subscription.\n * When a Subscription is unsubscribed, all its children (and its grandchildren)\n * will be unsubscribed as well.\n *\n * @class Subscription\n */\nexport class Subscription implements SubscriptionLike {\n /** @nocollapse */\n public static EMPTY = (() => {\n const empty = new Subscription();\n empty.closed = true;\n return empty;\n })();\n\n /**\n * A flag to indicate whether this Subscription has already been unsubscribed.\n */\n public closed = false;\n\n private _parentage: Subscription[] | Subscription | null = null;\n\n /**\n * The list of registered finalizers to execute upon unsubscription. Adding and removing from this\n * list occurs in the {@link #add} and {@link #remove} methods.\n */\n private _finalizers: Exclude[] | null = null;\n\n /**\n * @param initialTeardown A function executed first as part of the finalization\n * process that is kicked off when {@link #unsubscribe} is called.\n */\n constructor(private initialTeardown?: () => void) {}\n\n /**\n * Disposes the resources held by the subscription. May, for instance, cancel\n * an ongoing Observable execution or cancel any other type of work that\n * started when the Subscription was created.\n * @return {void}\n */\n unsubscribe(): void {\n let errors: any[] | undefined;\n\n if (!this.closed) {\n this.closed = true;\n\n // Remove this from it's parents.\n const { _parentage } = this;\n if (_parentage) {\n this._parentage = null;\n if (Array.isArray(_parentage)) {\n for (const parent of _parentage) {\n parent.remove(this);\n }\n } else {\n _parentage.remove(this);\n }\n }\n\n const { initialTeardown: initialFinalizer } = this;\n if (isFunction(initialFinalizer)) {\n try {\n initialFinalizer();\n } catch (e) {\n errors = e instanceof UnsubscriptionError ? e.errors : [e];\n }\n }\n\n const { _finalizers } = this;\n if (_finalizers) {\n this._finalizers = null;\n for (const finalizer of _finalizers) {\n try {\n execFinalizer(finalizer);\n } catch (err) {\n errors = errors ?? [];\n if (err instanceof UnsubscriptionError) {\n errors = [...errors, ...err.errors];\n } else {\n errors.push(err);\n }\n }\n }\n }\n\n if (errors) {\n throw new UnsubscriptionError(errors);\n }\n }\n }\n\n /**\n * Adds a finalizer to this subscription, so that finalization will be unsubscribed/called\n * when this subscription is unsubscribed. If this subscription is already {@link #closed},\n * because it has already been unsubscribed, then whatever finalizer is passed to it\n * will automatically be executed (unless the finalizer itself is also a closed subscription).\n *\n * Closed Subscriptions cannot be added as finalizers to any subscription. Adding a closed\n * subscription to a any subscription will result in no operation. (A noop).\n *\n * Adding a subscription to itself, or adding `null` or `undefined` will not perform any\n * operation at all. (A noop).\n *\n * `Subscription` instances that are added to this instance will automatically remove themselves\n * if they are unsubscribed. Functions and {@link Unsubscribable} objects that you wish to remove\n * will need to be removed manually with {@link #remove}\n *\n * @param teardown The finalization logic to add to this subscription.\n */\n add(teardown: TeardownLogic): void {\n // Only add the finalizer if it's not undefined\n // and don't add a subscription to itself.\n if (teardown && teardown !== this) {\n if (this.closed) {\n // If this subscription is already closed,\n // execute whatever finalizer is handed to it automatically.\n execFinalizer(teardown);\n } else {\n if (teardown instanceof Subscription) {\n // We don't add closed subscriptions, and we don't add the same subscription\n // twice. Subscription unsubscribe is idempotent.\n if (teardown.closed || teardown._hasParent(this)) {\n return;\n }\n teardown._addParent(this);\n }\n (this._finalizers = this._finalizers ?? []).push(teardown);\n }\n }\n }\n\n /**\n * Checks to see if a this subscription already has a particular parent.\n * This will signal that this subscription has already been added to the parent in question.\n * @param parent the parent to check for\n */\n private _hasParent(parent: Subscription) {\n const { _parentage } = this;\n return _parentage === parent || (Array.isArray(_parentage) && _parentage.includes(parent));\n }\n\n /**\n * Adds a parent to this subscription so it can be removed from the parent if it\n * unsubscribes on it's own.\n *\n * NOTE: THIS ASSUMES THAT {@link _hasParent} HAS ALREADY BEEN CHECKED.\n * @param parent The parent subscription to add\n */\n private _addParent(parent: Subscription) {\n const { _parentage } = this;\n this._parentage = Array.isArray(_parentage) ? (_parentage.push(parent), _parentage) : _parentage ? [_parentage, parent] : parent;\n }\n\n /**\n * Called on a child when it is removed via {@link #remove}.\n * @param parent The parent to remove\n */\n private _removeParent(parent: Subscription) {\n const { _parentage } = this;\n if (_parentage === parent) {\n this._parentage = null;\n } else if (Array.isArray(_parentage)) {\n arrRemove(_parentage, parent);\n }\n }\n\n /**\n * Removes a finalizer from this subscription that was previously added with the {@link #add} method.\n *\n * Note that `Subscription` instances, when unsubscribed, will automatically remove themselves\n * from every other `Subscription` they have been added to. This means that using the `remove` method\n * is not a common thing and should be used thoughtfully.\n *\n * If you add the same finalizer instance of a function or an unsubscribable object to a `Subscription` instance\n * more than once, you will need to call `remove` the same number of times to remove all instances.\n *\n * All finalizer instances are removed to free up memory upon unsubscription.\n *\n * @param teardown The finalizer to remove from this subscription\n */\n remove(teardown: Exclude): void {\n const { _finalizers } = this;\n _finalizers && arrRemove(_finalizers, teardown);\n\n if (teardown instanceof Subscription) {\n teardown._removeParent(this);\n }\n }\n}\n\nexport const EMPTY_SUBSCRIPTION = Subscription.EMPTY;\n\nexport function isSubscription(value: any): value is Subscription {\n return (\n value instanceof Subscription ||\n (value && 'closed' in value && isFunction(value.remove) && isFunction(value.add) && isFunction(value.unsubscribe))\n );\n}\n\nfunction execFinalizer(finalizer: Unsubscribable | (() => void)) {\n if (isFunction(finalizer)) {\n finalizer();\n } else {\n finalizer.unsubscribe();\n }\n}\n", "import { Subscriber } from './Subscriber';\nimport { ObservableNotification } from './types';\n\n/**\n * The {@link GlobalConfig} object for RxJS. It is used to configure things\n * like how to react on unhandled errors.\n */\nexport const config: GlobalConfig = {\n onUnhandledError: null,\n onStoppedNotification: null,\n Promise: undefined,\n useDeprecatedSynchronousErrorHandling: false,\n useDeprecatedNextContext: false,\n};\n\n/**\n * The global configuration object for RxJS, used to configure things\n * like how to react on unhandled errors. Accessible via {@link config}\n * object.\n */\nexport interface GlobalConfig {\n /**\n * A registration point for unhandled errors from RxJS. These are errors that\n * cannot were not handled by consuming code in the usual subscription path. For\n * example, if you have this configured, and you subscribe to an observable without\n * providing an error handler, errors from that subscription will end up here. This\n * will _always_ be called asynchronously on another job in the runtime. This is because\n * we do not want errors thrown in this user-configured handler to interfere with the\n * behavior of the library.\n */\n onUnhandledError: ((err: any) => void) | null;\n\n /**\n * A registration point for notifications that cannot be sent to subscribers because they\n * have completed, errored or have been explicitly unsubscribed. By default, next, complete\n * and error notifications sent to stopped subscribers are noops. However, sometimes callers\n * might want a different behavior. For example, with sources that attempt to report errors\n * to stopped subscribers, a caller can configure RxJS to throw an unhandled error instead.\n * This will _always_ be called asynchronously on another job in the runtime. This is because\n * we do not want errors thrown in this user-configured handler to interfere with the\n * behavior of the library.\n */\n onStoppedNotification: ((notification: ObservableNotification, subscriber: Subscriber) => void) | null;\n\n /**\n * The promise constructor used by default for {@link Observable#toPromise toPromise} and {@link Observable#forEach forEach}\n * methods.\n *\n * @deprecated As of version 8, RxJS will no longer support this sort of injection of a\n * Promise constructor. If you need a Promise implementation other than native promises,\n * please polyfill/patch Promise as you see appropriate. Will be removed in v8.\n */\n Promise?: PromiseConstructorLike;\n\n /**\n * If true, turns on synchronous error rethrowing, which is a deprecated behavior\n * in v6 and higher. This behavior enables bad patterns like wrapping a subscribe\n * call in a try/catch block. It also enables producer interference, a nasty bug\n * where a multicast can be broken for all observers by a downstream consumer with\n * an unhandled error. DO NOT USE THIS FLAG UNLESS IT'S NEEDED TO BUY TIME\n * FOR MIGRATION REASONS.\n *\n * @deprecated As of version 8, RxJS will no longer support synchronous throwing\n * of unhandled errors. All errors will be thrown on a separate call stack to prevent bad\n * behaviors described above. Will be removed in v8.\n */\n useDeprecatedSynchronousErrorHandling: boolean;\n\n /**\n * If true, enables an as-of-yet undocumented feature from v5: The ability to access\n * `unsubscribe()` via `this` context in `next` functions created in observers passed\n * to `subscribe`.\n *\n * This is being removed because the performance was severely problematic, and it could also cause\n * issues when types other than POJOs are passed to subscribe as subscribers, as they will likely have\n * their `this` context overwritten.\n *\n * @deprecated As of version 8, RxJS will no longer support altering the\n * context of next functions provided as part of an observer to Subscribe. Instead,\n * you will have access to a subscription or a signal or token that will allow you to do things like\n * unsubscribe and test closed status. Will be removed in v8.\n */\n useDeprecatedNextContext: boolean;\n}\n", "import type { TimerHandle } from './timerHandle';\ntype SetTimeoutFunction = (handler: () => void, timeout?: number, ...args: any[]) => TimerHandle;\ntype ClearTimeoutFunction = (handle: TimerHandle) => void;\n\ninterface TimeoutProvider {\n setTimeout: SetTimeoutFunction;\n clearTimeout: ClearTimeoutFunction;\n delegate:\n | {\n setTimeout: SetTimeoutFunction;\n clearTimeout: ClearTimeoutFunction;\n }\n | undefined;\n}\n\nexport const timeoutProvider: TimeoutProvider = {\n // When accessing the delegate, use the variable rather than `this` so that\n // the functions can be called without being bound to the provider.\n setTimeout(handler: () => void, timeout?: number, ...args) {\n const { delegate } = timeoutProvider;\n if (delegate?.setTimeout) {\n return delegate.setTimeout(handler, timeout, ...args);\n }\n return setTimeout(handler, timeout, ...args);\n },\n clearTimeout(handle) {\n const { delegate } = timeoutProvider;\n return (delegate?.clearTimeout || clearTimeout)(handle as any);\n },\n delegate: undefined,\n};\n", "import { config } from '../config';\nimport { timeoutProvider } from '../scheduler/timeoutProvider';\n\n/**\n * Handles an error on another job either with the user-configured {@link onUnhandledError},\n * or by throwing it on that new job so it can be picked up by `window.onerror`, `process.on('error')`, etc.\n *\n * This should be called whenever there is an error that is out-of-band with the subscription\n * or when an error hits a terminal boundary of the subscription and no error handler was provided.\n *\n * @param err the error to report\n */\nexport function reportUnhandledError(err: any) {\n timeoutProvider.setTimeout(() => {\n const { onUnhandledError } = config;\n if (onUnhandledError) {\n // Execute the user-configured error handler.\n onUnhandledError(err);\n } else {\n // Throw so it is picked up by the runtime's uncaught error mechanism.\n throw err;\n }\n });\n}\n", "/* tslint:disable:no-empty */\nexport function noop() { }\n", "import { CompleteNotification, NextNotification, ErrorNotification } from './types';\n\n/**\n * A completion object optimized for memory use and created to be the\n * same \"shape\" as other notifications in v8.\n * @internal\n */\nexport const COMPLETE_NOTIFICATION = (() => createNotification('C', undefined, undefined) as CompleteNotification)();\n\n/**\n * Internal use only. Creates an optimized error notification that is the same \"shape\"\n * as other notifications.\n * @internal\n */\nexport function errorNotification(error: any): ErrorNotification {\n return createNotification('E', undefined, error) as any;\n}\n\n/**\n * Internal use only. Creates an optimized next notification that is the same \"shape\"\n * as other notifications.\n * @internal\n */\nexport function nextNotification(value: T) {\n return createNotification('N', value, undefined) as NextNotification;\n}\n\n/**\n * Ensures that all notifications created internally have the same \"shape\" in v8.\n *\n * TODO: This is only exported to support a crazy legacy test in `groupBy`.\n * @internal\n */\nexport function createNotification(kind: 'N' | 'E' | 'C', value: any, error: any) {\n return {\n kind,\n value,\n error,\n };\n}\n", "import { config } from '../config';\n\nlet context: { errorThrown: boolean; error: any } | null = null;\n\n/**\n * Handles dealing with errors for super-gross mode. Creates a context, in which\n * any synchronously thrown errors will be passed to {@link captureError}. Which\n * will record the error such that it will be rethrown after the call back is complete.\n * TODO: Remove in v8\n * @param cb An immediately executed function.\n */\nexport function errorContext(cb: () => void) {\n if (config.useDeprecatedSynchronousErrorHandling) {\n const isRoot = !context;\n if (isRoot) {\n context = { errorThrown: false, error: null };\n }\n cb();\n if (isRoot) {\n const { errorThrown, error } = context!;\n context = null;\n if (errorThrown) {\n throw error;\n }\n }\n } else {\n // This is the general non-deprecated path for everyone that\n // isn't crazy enough to use super-gross mode (useDeprecatedSynchronousErrorHandling)\n cb();\n }\n}\n\n/**\n * Captures errors only in super-gross mode.\n * @param err the error to capture\n */\nexport function captureError(err: any) {\n if (config.useDeprecatedSynchronousErrorHandling && context) {\n context.errorThrown = true;\n context.error = err;\n }\n}\n", "import { isFunction } from './util/isFunction';\nimport { Observer, ObservableNotification } from './types';\nimport { isSubscription, Subscription } from './Subscription';\nimport { config } from './config';\nimport { reportUnhandledError } from './util/reportUnhandledError';\nimport { noop } from './util/noop';\nimport { nextNotification, errorNotification, COMPLETE_NOTIFICATION } from './NotificationFactories';\nimport { timeoutProvider } from './scheduler/timeoutProvider';\nimport { captureError } from './util/errorContext';\n\n/**\n * Implements the {@link Observer} interface and extends the\n * {@link Subscription} class. While the {@link Observer} is the public API for\n * consuming the values of an {@link Observable}, all Observers get converted to\n * a Subscriber, in order to provide Subscription-like capabilities such as\n * `unsubscribe`. Subscriber is a common type in RxJS, and crucial for\n * implementing operators, but it is rarely used as a public API.\n *\n * @class Subscriber\n */\nexport class Subscriber extends Subscription implements Observer {\n /**\n * A static factory for a Subscriber, given a (potentially partial) definition\n * of an Observer.\n * @param next The `next` callback of an Observer.\n * @param error The `error` callback of an\n * Observer.\n * @param complete The `complete` callback of an\n * Observer.\n * @return A Subscriber wrapping the (partially defined)\n * Observer represented by the given arguments.\n * @nocollapse\n * @deprecated Do not use. Will be removed in v8. There is no replacement for this\n * method, and there is no reason to be creating instances of `Subscriber` directly.\n * If you have a specific use case, please file an issue.\n */\n static create(next?: (x?: T) => void, error?: (e?: any) => void, complete?: () => void): Subscriber {\n return new SafeSubscriber(next, error, complete);\n }\n\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n protected isStopped: boolean = false;\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n protected destination: Subscriber | Observer; // this `any` is the escape hatch to erase extra type param (e.g. R)\n\n /**\n * @deprecated Internal implementation detail, do not use directly. Will be made internal in v8.\n * There is no reason to directly create an instance of Subscriber. This type is exported for typings reasons.\n */\n constructor(destination?: Subscriber | Observer) {\n super();\n if (destination) {\n this.destination = destination;\n // Automatically chain subscriptions together here.\n // if destination is a Subscription, then it is a Subscriber.\n if (isSubscription(destination)) {\n destination.add(this);\n }\n } else {\n this.destination = EMPTY_OBSERVER;\n }\n }\n\n /**\n * The {@link Observer} callback to receive notifications of type `next` from\n * the Observable, with a value. The Observable may call this method 0 or more\n * times.\n * @param {T} [value] The `next` value.\n * @return {void}\n */\n next(value?: T): void {\n if (this.isStopped) {\n handleStoppedNotification(nextNotification(value), this);\n } else {\n this._next(value!);\n }\n }\n\n /**\n * The {@link Observer} callback to receive notifications of type `error` from\n * the Observable, with an attached `Error`. Notifies the Observer that\n * the Observable has experienced an error condition.\n * @param {any} [err] The `error` exception.\n * @return {void}\n */\n error(err?: any): void {\n if (this.isStopped) {\n handleStoppedNotification(errorNotification(err), this);\n } else {\n this.isStopped = true;\n this._error(err);\n }\n }\n\n /**\n * The {@link Observer} callback to receive a valueless notification of type\n * `complete` from the Observable. Notifies the Observer that the Observable\n * has finished sending push-based notifications.\n * @return {void}\n */\n complete(): void {\n if (this.isStopped) {\n handleStoppedNotification(COMPLETE_NOTIFICATION, this);\n } else {\n this.isStopped = true;\n this._complete();\n }\n }\n\n unsubscribe(): void {\n if (!this.closed) {\n this.isStopped = true;\n super.unsubscribe();\n this.destination = null!;\n }\n }\n\n protected _next(value: T): void {\n this.destination.next(value);\n }\n\n protected _error(err: any): void {\n try {\n this.destination.error(err);\n } finally {\n this.unsubscribe();\n }\n }\n\n protected _complete(): void {\n try {\n this.destination.complete();\n } finally {\n this.unsubscribe();\n }\n }\n}\n\n/**\n * This bind is captured here because we want to be able to have\n * compatibility with monoid libraries that tend to use a method named\n * `bind`. In particular, a library called Monio requires this.\n */\nconst _bind = Function.prototype.bind;\n\nfunction bind any>(fn: Fn, thisArg: any): Fn {\n return _bind.call(fn, thisArg);\n}\n\n/**\n * Internal optimization only, DO NOT EXPOSE.\n * @internal\n */\nclass ConsumerObserver implements Observer {\n constructor(private partialObserver: Partial>) {}\n\n next(value: T): void {\n const { partialObserver } = this;\n if (partialObserver.next) {\n try {\n partialObserver.next(value);\n } catch (error) {\n handleUnhandledError(error);\n }\n }\n }\n\n error(err: any): void {\n const { partialObserver } = this;\n if (partialObserver.error) {\n try {\n partialObserver.error(err);\n } catch (error) {\n handleUnhandledError(error);\n }\n } else {\n handleUnhandledError(err);\n }\n }\n\n complete(): void {\n const { partialObserver } = this;\n if (partialObserver.complete) {\n try {\n partialObserver.complete();\n } catch (error) {\n handleUnhandledError(error);\n }\n }\n }\n}\n\nexport class SafeSubscriber extends Subscriber {\n constructor(\n observerOrNext?: Partial> | ((value: T) => void) | null,\n error?: ((e?: any) => void) | null,\n complete?: (() => void) | null\n ) {\n super();\n\n let partialObserver: Partial>;\n if (isFunction(observerOrNext) || !observerOrNext) {\n // The first argument is a function, not an observer. The next\n // two arguments *could* be observers, or they could be empty.\n partialObserver = {\n next: (observerOrNext ?? undefined) as (((value: T) => void) | undefined),\n error: error ?? undefined,\n complete: complete ?? undefined,\n };\n } else {\n // The first argument is a partial observer.\n let context: any;\n if (this && config.useDeprecatedNextContext) {\n // This is a deprecated path that made `this.unsubscribe()` available in\n // next handler functions passed to subscribe. This only exists behind a flag\n // now, as it is *very* slow.\n context = Object.create(observerOrNext);\n context.unsubscribe = () => this.unsubscribe();\n partialObserver = {\n next: observerOrNext.next && bind(observerOrNext.next, context),\n error: observerOrNext.error && bind(observerOrNext.error, context),\n complete: observerOrNext.complete && bind(observerOrNext.complete, context),\n };\n } else {\n // The \"normal\" path. Just use the partial observer directly.\n partialObserver = observerOrNext;\n }\n }\n\n // Wrap the partial observer to ensure it's a full observer, and\n // make sure proper error handling is accounted for.\n this.destination = new ConsumerObserver(partialObserver);\n }\n}\n\nfunction handleUnhandledError(error: any) {\n if (config.useDeprecatedSynchronousErrorHandling) {\n captureError(error);\n } else {\n // Ideal path, we report this as an unhandled error,\n // which is thrown on a new call stack.\n reportUnhandledError(error);\n }\n}\n\n/**\n * An error handler used when no error handler was supplied\n * to the SafeSubscriber -- meaning no error handler was supplied\n * do the `subscribe` call on our observable.\n * @param err The error to handle\n */\nfunction defaultErrorHandler(err: any) {\n throw err;\n}\n\n/**\n * A handler for notifications that cannot be sent to a stopped subscriber.\n * @param notification The notification being sent\n * @param subscriber The stopped subscriber\n */\nfunction handleStoppedNotification(notification: ObservableNotification, subscriber: Subscriber) {\n const { onStoppedNotification } = config;\n onStoppedNotification && timeoutProvider.setTimeout(() => onStoppedNotification(notification, subscriber));\n}\n\n/**\n * The observer used as a stub for subscriptions where the user did not\n * pass any arguments to `subscribe`. Comes with the default error handling\n * behavior.\n */\nexport const EMPTY_OBSERVER: Readonly> & { closed: true } = {\n closed: true,\n next: noop,\n error: defaultErrorHandler,\n complete: noop,\n};\n", "/**\n * Symbol.observable or a string \"@@observable\". Used for interop\n *\n * @deprecated We will no longer be exporting this symbol in upcoming versions of RxJS.\n * Instead polyfill and use Symbol.observable directly *or* use https://www.npmjs.com/package/symbol-observable\n */\nexport const observable: string | symbol = (() => (typeof Symbol === 'function' && Symbol.observable) || '@@observable')();\n", "/**\n * This function takes one parameter and just returns it. Simply put,\n * this is like `(x: T): T => x`.\n *\n * ## Examples\n *\n * This is useful in some cases when using things like `mergeMap`\n *\n * ```ts\n * import { interval, take, map, range, mergeMap, identity } from 'rxjs';\n *\n * const source$ = interval(1000).pipe(take(5));\n *\n * const result$ = source$.pipe(\n * map(i => range(i)),\n * mergeMap(identity) // same as mergeMap(x => x)\n * );\n *\n * result$.subscribe({\n * next: console.log\n * });\n * ```\n *\n * Or when you want to selectively apply an operator\n *\n * ```ts\n * import { interval, take, identity } from 'rxjs';\n *\n * const shouldLimit = () => Math.random() < 0.5;\n *\n * const source$ = interval(1000);\n *\n * const result$ = source$.pipe(shouldLimit() ? take(5) : identity);\n *\n * result$.subscribe({\n * next: console.log\n * });\n * ```\n *\n * @param x Any value that is returned by this function\n * @returns The value passed as the first parameter to this function\n */\nexport function identity(x: T): T {\n return x;\n}\n", "import { identity } from './identity';\nimport { UnaryFunction } from '../types';\n\nexport function pipe(): typeof identity;\nexport function pipe(fn1: UnaryFunction): UnaryFunction;\nexport function pipe(fn1: UnaryFunction, fn2: UnaryFunction): UnaryFunction;\nexport function pipe(fn1: UnaryFunction, fn2: UnaryFunction, fn3: UnaryFunction): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction,\n fn7: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction,\n fn7: UnaryFunction,\n fn8: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction,\n fn7: UnaryFunction,\n fn8: UnaryFunction,\n fn9: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction,\n fn7: UnaryFunction,\n fn8: UnaryFunction,\n fn9: UnaryFunction,\n ...fns: UnaryFunction[]\n): UnaryFunction;\n\n/**\n * pipe() can be called on one or more functions, each of which can take one argument (\"UnaryFunction\")\n * and uses it to return a value.\n * It returns a function that takes one argument, passes it to the first UnaryFunction, and then\n * passes the result to the next one, passes that result to the next one, and so on. \n */\nexport function pipe(...fns: Array>): UnaryFunction {\n return pipeFromArray(fns);\n}\n\n/** @internal */\nexport function pipeFromArray(fns: Array>): UnaryFunction {\n if (fns.length === 0) {\n return identity as UnaryFunction;\n }\n\n if (fns.length === 1) {\n return fns[0];\n }\n\n return function piped(input: T): R {\n return fns.reduce((prev: any, fn: UnaryFunction) => fn(prev), input as any);\n };\n}\n", "import { Operator } from './Operator';\nimport { SafeSubscriber, Subscriber } from './Subscriber';\nimport { isSubscription, Subscription } from './Subscription';\nimport { TeardownLogic, OperatorFunction, Subscribable, Observer } from './types';\nimport { observable as Symbol_observable } from './symbol/observable';\nimport { pipeFromArray } from './util/pipe';\nimport { config } from './config';\nimport { isFunction } from './util/isFunction';\nimport { errorContext } from './util/errorContext';\n\n/**\n * A representation of any set of values over any amount of time. This is the most basic building block\n * of RxJS.\n *\n * @class Observable\n */\nexport class Observable implements Subscribable {\n /**\n * @deprecated Internal implementation detail, do not use directly. Will be made internal in v8.\n */\n source: Observable | undefined;\n\n /**\n * @deprecated Internal implementation detail, do not use directly. Will be made internal in v8.\n */\n operator: Operator | undefined;\n\n /**\n * @constructor\n * @param {Function} subscribe the function that is called when the Observable is\n * initially subscribed to. This function is given a Subscriber, to which new values\n * can be `next`ed, or an `error` method can be called to raise an error, or\n * `complete` can be called to notify of a successful completion.\n */\n constructor(subscribe?: (this: Observable, subscriber: Subscriber) => TeardownLogic) {\n if (subscribe) {\n this._subscribe = subscribe;\n }\n }\n\n // HACK: Since TypeScript inherits static properties too, we have to\n // fight against TypeScript here so Subject can have a different static create signature\n /**\n * Creates a new Observable by calling the Observable constructor\n * @owner Observable\n * @method create\n * @param {Function} subscribe? the subscriber function to be passed to the Observable constructor\n * @return {Observable} a new observable\n * @nocollapse\n * @deprecated Use `new Observable()` instead. Will be removed in v8.\n */\n static create: (...args: any[]) => any = (subscribe?: (subscriber: Subscriber) => TeardownLogic) => {\n return new Observable(subscribe);\n };\n\n /**\n * Creates a new Observable, with this Observable instance as the source, and the passed\n * operator defined as the new observable's operator.\n * @method lift\n * @param operator the operator defining the operation to take on the observable\n * @return a new observable with the Operator applied\n * @deprecated Internal implementation detail, do not use directly. Will be made internal in v8.\n * If you have implemented an operator using `lift`, it is recommended that you create an\n * operator by simply returning `new Observable()` directly. See \"Creating new operators from\n * scratch\" section here: https://rxjs.dev/guide/operators\n */\n lift(operator?: Operator): Observable {\n const observable = new Observable();\n observable.source = this;\n observable.operator = operator;\n return observable;\n }\n\n subscribe(observerOrNext?: Partial> | ((value: T) => void)): Subscription;\n /** @deprecated Instead of passing separate callback arguments, use an observer argument. Signatures taking separate callback arguments will be removed in v8. Details: https://rxjs.dev/deprecations/subscribe-arguments */\n subscribe(next?: ((value: T) => void) | null, error?: ((error: any) => void) | null, complete?: (() => void) | null): Subscription;\n /**\n * Invokes an execution of an Observable and registers Observer handlers for notifications it will emit.\n *\n * Use it when you have all these Observables, but still nothing is happening.\n *\n * `subscribe` is not a regular operator, but a method that calls Observable's internal `subscribe` function. It\n * might be for example a function that you passed to Observable's constructor, but most of the time it is\n * a library implementation, which defines what will be emitted by an Observable, and when it be will emitted. This means\n * that calling `subscribe` is actually the moment when Observable starts its work, not when it is created, as it is often\n * the thought.\n *\n * Apart from starting the execution of an Observable, this method allows you to listen for values\n * that an Observable emits, as well as for when it completes or errors. You can achieve this in two\n * of the following ways.\n *\n * The first way is creating an object that implements {@link Observer} interface. It should have methods\n * defined by that interface, but note that it should be just a regular JavaScript object, which you can create\n * yourself in any way you want (ES6 class, classic function constructor, object literal etc.). In particular, do\n * not attempt to use any RxJS implementation details to create Observers - you don't need them. Remember also\n * that your object does not have to implement all methods. If you find yourself creating a method that doesn't\n * do anything, you can simply omit it. Note however, if the `error` method is not provided and an error happens,\n * it will be thrown asynchronously. Errors thrown asynchronously cannot be caught using `try`/`catch`. Instead,\n * use the {@link onUnhandledError} configuration option or use a runtime handler (like `window.onerror` or\n * `process.on('error)`) to be notified of unhandled errors. Because of this, it's recommended that you provide\n * an `error` method to avoid missing thrown errors.\n *\n * The second way is to give up on Observer object altogether and simply provide callback functions in place of its methods.\n * This means you can provide three functions as arguments to `subscribe`, where the first function is equivalent\n * of a `next` method, the second of an `error` method and the third of a `complete` method. Just as in case of an Observer,\n * if you do not need to listen for something, you can omit a function by passing `undefined` or `null`,\n * since `subscribe` recognizes these functions by where they were placed in function call. When it comes\n * to the `error` function, as with an Observer, if not provided, errors emitted by an Observable will be thrown asynchronously.\n *\n * You can, however, subscribe with no parameters at all. This may be the case where you're not interested in terminal events\n * and you also handled emissions internally by using operators (e.g. using `tap`).\n *\n * Whichever style of calling `subscribe` you use, in both cases it returns a Subscription object.\n * This object allows you to call `unsubscribe` on it, which in turn will stop the work that an Observable does and will clean\n * up all resources that an Observable used. Note that cancelling a subscription will not call `complete` callback\n * provided to `subscribe` function, which is reserved for a regular completion signal that comes from an Observable.\n *\n * Remember that callbacks provided to `subscribe` are not guaranteed to be called asynchronously.\n * It is an Observable itself that decides when these functions will be called. For example {@link of}\n * by default emits all its values synchronously. Always check documentation for how given Observable\n * will behave when subscribed and if its default behavior can be modified with a `scheduler`.\n *\n * #### Examples\n *\n * Subscribe with an {@link guide/observer Observer}\n *\n * ```ts\n * import { of } from 'rxjs';\n *\n * const sumObserver = {\n * sum: 0,\n * next(value) {\n * console.log('Adding: ' + value);\n * this.sum = this.sum + value;\n * },\n * error() {\n * // We actually could just remove this method,\n * // since we do not really care about errors right now.\n * },\n * complete() {\n * console.log('Sum equals: ' + this.sum);\n * }\n * };\n *\n * of(1, 2, 3) // Synchronously emits 1, 2, 3 and then completes.\n * .subscribe(sumObserver);\n *\n * // Logs:\n * // 'Adding: 1'\n * // 'Adding: 2'\n * // 'Adding: 3'\n * // 'Sum equals: 6'\n * ```\n *\n * Subscribe with functions ({@link deprecations/subscribe-arguments deprecated})\n *\n * ```ts\n * import { of } from 'rxjs'\n *\n * let sum = 0;\n *\n * of(1, 2, 3).subscribe(\n * value => {\n * console.log('Adding: ' + value);\n * sum = sum + value;\n * },\n * undefined,\n * () => console.log('Sum equals: ' + sum)\n * );\n *\n * // Logs:\n * // 'Adding: 1'\n * // 'Adding: 2'\n * // 'Adding: 3'\n * // 'Sum equals: 6'\n * ```\n *\n * Cancel a subscription\n *\n * ```ts\n * import { interval } from 'rxjs';\n *\n * const subscription = interval(1000).subscribe({\n * next(num) {\n * console.log(num)\n * },\n * complete() {\n * // Will not be called, even when cancelling subscription.\n * console.log('completed!');\n * }\n * });\n *\n * setTimeout(() => {\n * subscription.unsubscribe();\n * console.log('unsubscribed!');\n * }, 2500);\n *\n * // Logs:\n * // 0 after 1s\n * // 1 after 2s\n * // 'unsubscribed!' after 2.5s\n * ```\n *\n * @param {Observer|Function} observerOrNext (optional) Either an observer with methods to be called,\n * or the first of three possible handlers, which is the handler for each value emitted from the subscribed\n * Observable.\n * @param {Function} error (optional) A handler for a terminal event resulting from an error. If no error handler is provided,\n * the error will be thrown asynchronously as unhandled.\n * @param {Function} complete (optional) A handler for a terminal event resulting from successful completion.\n * @return {Subscription} a subscription reference to the registered handlers\n * @method subscribe\n */\n subscribe(\n observerOrNext?: Partial> | ((value: T) => void) | null,\n error?: ((error: any) => void) | null,\n complete?: (() => void) | null\n ): Subscription {\n const subscriber = isSubscriber(observerOrNext) ? observerOrNext : new SafeSubscriber(observerOrNext, error, complete);\n\n errorContext(() => {\n const { operator, source } = this;\n subscriber.add(\n operator\n ? // We're dealing with a subscription in the\n // operator chain to one of our lifted operators.\n operator.call(subscriber, source)\n : source\n ? // If `source` has a value, but `operator` does not, something that\n // had intimate knowledge of our API, like our `Subject`, must have\n // set it. We're going to just call `_subscribe` directly.\n this._subscribe(subscriber)\n : // In all other cases, we're likely wrapping a user-provided initializer\n // function, so we need to catch errors and handle them appropriately.\n this._trySubscribe(subscriber)\n );\n });\n\n return subscriber;\n }\n\n /** @internal */\n protected _trySubscribe(sink: Subscriber): TeardownLogic {\n try {\n return this._subscribe(sink);\n } catch (err) {\n // We don't need to return anything in this case,\n // because it's just going to try to `add()` to a subscription\n // above.\n sink.error(err);\n }\n }\n\n /**\n * Used as a NON-CANCELLABLE means of subscribing to an observable, for use with\n * APIs that expect promises, like `async/await`. You cannot unsubscribe from this.\n *\n * **WARNING**: Only use this with observables you *know* will complete. If the source\n * observable does not complete, you will end up with a promise that is hung up, and\n * potentially all of the state of an async function hanging out in memory. To avoid\n * this situation, look into adding something like {@link timeout}, {@link take},\n * {@link takeWhile}, or {@link takeUntil} amongst others.\n *\n * #### Example\n *\n * ```ts\n * import { interval, take } from 'rxjs';\n *\n * const source$ = interval(1000).pipe(take(4));\n *\n * async function getTotal() {\n * let total = 0;\n *\n * await source$.forEach(value => {\n * total += value;\n * console.log('observable -> ' + value);\n * });\n *\n * return total;\n * }\n *\n * getTotal().then(\n * total => console.log('Total: ' + total)\n * );\n *\n * // Expected:\n * // 'observable -> 0'\n * // 'observable -> 1'\n * // 'observable -> 2'\n * // 'observable -> 3'\n * // 'Total: 6'\n * ```\n *\n * @param next a handler for each value emitted by the observable\n * @return a promise that either resolves on observable completion or\n * rejects with the handled error\n */\n forEach(next: (value: T) => void): Promise;\n\n /**\n * @param next a handler for each value emitted by the observable\n * @param promiseCtor a constructor function used to instantiate the Promise\n * @return a promise that either resolves on observable completion or\n * rejects with the handled error\n * @deprecated Passing a Promise constructor will no longer be available\n * in upcoming versions of RxJS. This is because it adds weight to the library, for very\n * little benefit. If you need this functionality, it is recommended that you either\n * polyfill Promise, or you create an adapter to convert the returned native promise\n * to whatever promise implementation you wanted. Will be removed in v8.\n */\n forEach(next: (value: T) => void, promiseCtor: PromiseConstructorLike): Promise;\n\n forEach(next: (value: T) => void, promiseCtor?: PromiseConstructorLike): Promise {\n promiseCtor = getPromiseCtor(promiseCtor);\n\n return new promiseCtor((resolve, reject) => {\n const subscriber = new SafeSubscriber({\n next: (value) => {\n try {\n next(value);\n } catch (err) {\n reject(err);\n subscriber.unsubscribe();\n }\n },\n error: reject,\n complete: resolve,\n });\n this.subscribe(subscriber);\n }) as Promise;\n }\n\n /** @internal */\n protected _subscribe(subscriber: Subscriber): TeardownLogic {\n return this.source?.subscribe(subscriber);\n }\n\n /**\n * An interop point defined by the es7-observable spec https://github.com/zenparsing/es-observable\n * @method Symbol.observable\n * @return {Observable} this instance of the observable\n */\n [Symbol_observable]() {\n return this;\n }\n\n /* tslint:disable:max-line-length */\n pipe(): Observable;\n pipe(op1: OperatorFunction): Observable;\n pipe(op1: OperatorFunction, op2: OperatorFunction): Observable;\n pipe(op1: OperatorFunction, op2: OperatorFunction, op3: OperatorFunction): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction,\n op7: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction,\n op7: OperatorFunction,\n op8: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction,\n op7: OperatorFunction,\n op8: OperatorFunction,\n op9: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction,\n op7: OperatorFunction,\n op8: OperatorFunction,\n op9: OperatorFunction,\n ...operations: OperatorFunction[]\n ): Observable;\n /* tslint:enable:max-line-length */\n\n /**\n * Used to stitch together functional operators into a chain.\n * @method pipe\n * @return {Observable} the Observable result of all of the operators having\n * been called in the order they were passed in.\n *\n * ## Example\n *\n * ```ts\n * import { interval, filter, map, scan } from 'rxjs';\n *\n * interval(1000)\n * .pipe(\n * filter(x => x % 2 === 0),\n * map(x => x + x),\n * scan((acc, x) => acc + x)\n * )\n * .subscribe(x => console.log(x));\n * ```\n */\n pipe(...operations: OperatorFunction[]): Observable {\n return pipeFromArray(operations)(this);\n }\n\n /* tslint:disable:max-line-length */\n /** @deprecated Replaced with {@link firstValueFrom} and {@link lastValueFrom}. Will be removed in v8. Details: https://rxjs.dev/deprecations/to-promise */\n toPromise(): Promise;\n /** @deprecated Replaced with {@link firstValueFrom} and {@link lastValueFrom}. Will be removed in v8. Details: https://rxjs.dev/deprecations/to-promise */\n toPromise(PromiseCtor: typeof Promise): Promise;\n /** @deprecated Replaced with {@link firstValueFrom} and {@link lastValueFrom}. Will be removed in v8. Details: https://rxjs.dev/deprecations/to-promise */\n toPromise(PromiseCtor: PromiseConstructorLike): Promise;\n /* tslint:enable:max-line-length */\n\n /**\n * Subscribe to this Observable and get a Promise resolving on\n * `complete` with the last emission (if any).\n *\n * **WARNING**: Only use this with observables you *know* will complete. If the source\n * observable does not complete, you will end up with a promise that is hung up, and\n * potentially all of the state of an async function hanging out in memory. To avoid\n * this situation, look into adding something like {@link timeout}, {@link take},\n * {@link takeWhile}, or {@link takeUntil} amongst others.\n *\n * @method toPromise\n * @param [promiseCtor] a constructor function used to instantiate\n * the Promise\n * @return A Promise that resolves with the last value emit, or\n * rejects on an error. If there were no emissions, Promise\n * resolves with undefined.\n * @deprecated Replaced with {@link firstValueFrom} and {@link lastValueFrom}. Will be removed in v8. Details: https://rxjs.dev/deprecations/to-promise\n */\n toPromise(promiseCtor?: PromiseConstructorLike): Promise {\n promiseCtor = getPromiseCtor(promiseCtor);\n\n return new promiseCtor((resolve, reject) => {\n let value: T | undefined;\n this.subscribe(\n (x: T) => (value = x),\n (err: any) => reject(err),\n () => resolve(value)\n );\n }) as Promise;\n }\n}\n\n/**\n * Decides between a passed promise constructor from consuming code,\n * A default configured promise constructor, and the native promise\n * constructor and returns it. If nothing can be found, it will throw\n * an error.\n * @param promiseCtor The optional promise constructor to passed by consuming code\n */\nfunction getPromiseCtor(promiseCtor: PromiseConstructorLike | undefined) {\n return promiseCtor ?? config.Promise ?? Promise;\n}\n\nfunction isObserver(value: any): value is Observer {\n return value && isFunction(value.next) && isFunction(value.error) && isFunction(value.complete);\n}\n\nfunction isSubscriber(value: any): value is Subscriber {\n return (value && value instanceof Subscriber) || (isObserver(value) && isSubscription(value));\n}\n", "import { Observable } from '../Observable';\nimport { Subscriber } from '../Subscriber';\nimport { OperatorFunction } from '../types';\nimport { isFunction } from './isFunction';\n\n/**\n * Used to determine if an object is an Observable with a lift function.\n */\nexport function hasLift(source: any): source is { lift: InstanceType['lift'] } {\n return isFunction(source?.lift);\n}\n\n/**\n * Creates an `OperatorFunction`. Used to define operators throughout the library in a concise way.\n * @param init The logic to connect the liftedSource to the subscriber at the moment of subscription.\n */\nexport function operate(\n init: (liftedSource: Observable, subscriber: Subscriber) => (() => void) | void\n): OperatorFunction {\n return (source: Observable) => {\n if (hasLift(source)) {\n return source.lift(function (this: Subscriber, liftedSource: Observable) {\n try {\n return init(liftedSource, this);\n } catch (err) {\n this.error(err);\n }\n });\n }\n throw new TypeError('Unable to lift unknown Observable type');\n };\n}\n", "import { Subscriber } from '../Subscriber';\n\n/**\n * Creates an instance of an `OperatorSubscriber`.\n * @param destination The downstream subscriber.\n * @param onNext Handles next values, only called if this subscriber is not stopped or closed. Any\n * error that occurs in this function is caught and sent to the `error` method of this subscriber.\n * @param onError Handles errors from the subscription, any errors that occur in this handler are caught\n * and send to the `destination` error handler.\n * @param onComplete Handles completion notification from the subscription. Any errors that occur in\n * this handler are sent to the `destination` error handler.\n * @param onFinalize Additional teardown logic here. This will only be called on teardown if the\n * subscriber itself is not already closed. This is called after all other teardown logic is executed.\n */\nexport function createOperatorSubscriber(\n destination: Subscriber,\n onNext?: (value: T) => void,\n onComplete?: () => void,\n onError?: (err: any) => void,\n onFinalize?: () => void\n): Subscriber {\n return new OperatorSubscriber(destination, onNext, onComplete, onError, onFinalize);\n}\n\n/**\n * A generic helper for allowing operators to be created with a Subscriber and\n * use closures to capture necessary state from the operator function itself.\n */\nexport class OperatorSubscriber extends Subscriber {\n /**\n * Creates an instance of an `OperatorSubscriber`.\n * @param destination The downstream subscriber.\n * @param onNext Handles next values, only called if this subscriber is not stopped or closed. Any\n * error that occurs in this function is caught and sent to the `error` method of this subscriber.\n * @param onError Handles errors from the subscription, any errors that occur in this handler are caught\n * and send to the `destination` error handler.\n * @param onComplete Handles completion notification from the subscription. Any errors that occur in\n * this handler are sent to the `destination` error handler.\n * @param onFinalize Additional finalization logic here. This will only be called on finalization if the\n * subscriber itself is not already closed. This is called after all other finalization logic is executed.\n * @param shouldUnsubscribe An optional check to see if an unsubscribe call should truly unsubscribe.\n * NOTE: This currently **ONLY** exists to support the strange behavior of {@link groupBy}, where unsubscription\n * to the resulting observable does not actually disconnect from the source if there are active subscriptions\n * to any grouped observable. (DO NOT EXPOSE OR USE EXTERNALLY!!!)\n */\n constructor(\n destination: Subscriber,\n onNext?: (value: T) => void,\n onComplete?: () => void,\n onError?: (err: any) => void,\n private onFinalize?: () => void,\n private shouldUnsubscribe?: () => boolean\n ) {\n // It's important - for performance reasons - that all of this class's\n // members are initialized and that they are always initialized in the same\n // order. This will ensure that all OperatorSubscriber instances have the\n // same hidden class in V8. This, in turn, will help keep the number of\n // hidden classes involved in property accesses within the base class as\n // low as possible. If the number of hidden classes involved exceeds four,\n // the property accesses will become megamorphic and performance penalties\n // will be incurred - i.e. inline caches won't be used.\n //\n // The reasons for ensuring all instances have the same hidden class are\n // further discussed in this blog post from Benedikt Meurer:\n // https://benediktmeurer.de/2018/03/23/impact-of-polymorphism-on-component-based-frameworks-like-react/\n super(destination);\n this._next = onNext\n ? function (this: OperatorSubscriber, value: T) {\n try {\n onNext(value);\n } catch (err) {\n destination.error(err);\n }\n }\n : super._next;\n this._error = onError\n ? function (this: OperatorSubscriber, err: any) {\n try {\n onError(err);\n } catch (err) {\n // Send any errors that occur down stream.\n destination.error(err);\n } finally {\n // Ensure finalization.\n this.unsubscribe();\n }\n }\n : super._error;\n this._complete = onComplete\n ? function (this: OperatorSubscriber) {\n try {\n onComplete();\n } catch (err) {\n // Send any errors that occur down stream.\n destination.error(err);\n } finally {\n // Ensure finalization.\n this.unsubscribe();\n }\n }\n : super._complete;\n }\n\n unsubscribe() {\n if (!this.shouldUnsubscribe || this.shouldUnsubscribe()) {\n const { closed } = this;\n super.unsubscribe();\n // Execute additional teardown if we have any and we didn't already do so.\n !closed && this.onFinalize?.();\n }\n }\n}\n", "import { createErrorClass } from './createErrorClass';\n\nexport interface ObjectUnsubscribedError extends Error {}\n\nexport interface ObjectUnsubscribedErrorCtor {\n /**\n * @deprecated Internal implementation detail. Do not construct error instances.\n * Cannot be tagged as internal: https://github.com/ReactiveX/rxjs/issues/6269\n */\n new (): ObjectUnsubscribedError;\n}\n\n/**\n * An error thrown when an action is invalid because the object has been\n * unsubscribed.\n *\n * @see {@link Subject}\n * @see {@link BehaviorSubject}\n *\n * @class ObjectUnsubscribedError\n */\nexport const ObjectUnsubscribedError: ObjectUnsubscribedErrorCtor = createErrorClass(\n (_super) =>\n function ObjectUnsubscribedErrorImpl(this: any) {\n _super(this);\n this.name = 'ObjectUnsubscribedError';\n this.message = 'object unsubscribed';\n }\n);\n", "import { Operator } from './Operator';\nimport { Observable } from './Observable';\nimport { Subscriber } from './Subscriber';\nimport { Subscription, EMPTY_SUBSCRIPTION } from './Subscription';\nimport { Observer, SubscriptionLike, TeardownLogic } from './types';\nimport { ObjectUnsubscribedError } from './util/ObjectUnsubscribedError';\nimport { arrRemove } from './util/arrRemove';\nimport { errorContext } from './util/errorContext';\n\n/**\n * A Subject is a special type of Observable that allows values to be\n * multicasted to many Observers. Subjects are like EventEmitters.\n *\n * Every Subject is an Observable and an Observer. You can subscribe to a\n * Subject, and you can call next to feed values as well as error and complete.\n */\nexport class Subject extends Observable implements SubscriptionLike {\n closed = false;\n\n private currentObservers: Observer[] | null = null;\n\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n observers: Observer[] = [];\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n isStopped = false;\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n hasError = false;\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n thrownError: any = null;\n\n /**\n * Creates a \"subject\" by basically gluing an observer to an observable.\n *\n * @nocollapse\n * @deprecated Recommended you do not use. Will be removed at some point in the future. Plans for replacement still under discussion.\n */\n static create: (...args: any[]) => any = (destination: Observer, source: Observable): AnonymousSubject => {\n return new AnonymousSubject(destination, source);\n };\n\n constructor() {\n // NOTE: This must be here to obscure Observable's constructor.\n super();\n }\n\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n lift(operator: Operator): Observable {\n const subject = new AnonymousSubject(this, this);\n subject.operator = operator as any;\n return subject as any;\n }\n\n /** @internal */\n protected _throwIfClosed() {\n if (this.closed) {\n throw new ObjectUnsubscribedError();\n }\n }\n\n next(value: T) {\n errorContext(() => {\n this._throwIfClosed();\n if (!this.isStopped) {\n if (!this.currentObservers) {\n this.currentObservers = Array.from(this.observers);\n }\n for (const observer of this.currentObservers) {\n observer.next(value);\n }\n }\n });\n }\n\n error(err: any) {\n errorContext(() => {\n this._throwIfClosed();\n if (!this.isStopped) {\n this.hasError = this.isStopped = true;\n this.thrownError = err;\n const { observers } = this;\n while (observers.length) {\n observers.shift()!.error(err);\n }\n }\n });\n }\n\n complete() {\n errorContext(() => {\n this._throwIfClosed();\n if (!this.isStopped) {\n this.isStopped = true;\n const { observers } = this;\n while (observers.length) {\n observers.shift()!.complete();\n }\n }\n });\n }\n\n unsubscribe() {\n this.isStopped = this.closed = true;\n this.observers = this.currentObservers = null!;\n }\n\n get observed() {\n return this.observers?.length > 0;\n }\n\n /** @internal */\n protected _trySubscribe(subscriber: Subscriber): TeardownLogic {\n this._throwIfClosed();\n return super._trySubscribe(subscriber);\n }\n\n /** @internal */\n protected _subscribe(subscriber: Subscriber): Subscription {\n this._throwIfClosed();\n this._checkFinalizedStatuses(subscriber);\n return this._innerSubscribe(subscriber);\n }\n\n /** @internal */\n protected _innerSubscribe(subscriber: Subscriber) {\n const { hasError, isStopped, observers } = this;\n if (hasError || isStopped) {\n return EMPTY_SUBSCRIPTION;\n }\n this.currentObservers = null;\n observers.push(subscriber);\n return new Subscription(() => {\n this.currentObservers = null;\n arrRemove(observers, subscriber);\n });\n }\n\n /** @internal */\n protected _checkFinalizedStatuses(subscriber: Subscriber) {\n const { hasError, thrownError, isStopped } = this;\n if (hasError) {\n subscriber.error(thrownError);\n } else if (isStopped) {\n subscriber.complete();\n }\n }\n\n /**\n * Creates a new Observable with this Subject as the source. You can do this\n * to create custom Observer-side logic of the Subject and conceal it from\n * code that uses the Observable.\n * @return {Observable} Observable that the Subject casts to\n */\n asObservable(): Observable {\n const observable: any = new Observable();\n observable.source = this;\n return observable;\n }\n}\n\n/**\n * @class AnonymousSubject\n */\nexport class AnonymousSubject extends Subject {\n constructor(\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n public destination?: Observer,\n source?: Observable\n ) {\n super();\n this.source = source;\n }\n\n next(value: T) {\n this.destination?.next?.(value);\n }\n\n error(err: any) {\n this.destination?.error?.(err);\n }\n\n complete() {\n this.destination?.complete?.();\n }\n\n /** @internal */\n protected _subscribe(subscriber: Subscriber): Subscription {\n return this.source?.subscribe(subscriber) ?? EMPTY_SUBSCRIPTION;\n }\n}\n", "import { Observable } from '../Observable';\nimport { SchedulerLike } from '../types';\n\n/**\n * A simple Observable that emits no items to the Observer and immediately\n * emits a complete notification.\n *\n * Just emits 'complete', and nothing else.\n *\n * ![](empty.png)\n *\n * A simple Observable that only emits the complete notification. It can be used\n * for composing with other Observables, such as in a {@link mergeMap}.\n *\n * ## Examples\n *\n * Log complete notification\n *\n * ```ts\n * import { EMPTY } from 'rxjs';\n *\n * EMPTY.subscribe({\n * next: () => console.log('Next'),\n * complete: () => console.log('Complete!')\n * });\n *\n * // Outputs\n * // Complete!\n * ```\n *\n * Emit the number 7, then complete\n *\n * ```ts\n * import { EMPTY, startWith } from 'rxjs';\n *\n * const result = EMPTY.pipe(startWith(7));\n * result.subscribe(x => console.log(x));\n *\n * // Outputs\n * // 7\n * ```\n *\n * Map and flatten only odd numbers to the sequence `'a'`, `'b'`, `'c'`\n *\n * ```ts\n * import { interval, mergeMap, of, EMPTY } from 'rxjs';\n *\n * const interval$ = interval(1000);\n * const result = interval$.pipe(\n * mergeMap(x => x % 2 === 1 ? of('a', 'b', 'c') : EMPTY),\n * );\n * result.subscribe(x => console.log(x));\n *\n * // Results in the following to the console:\n * // x is equal to the count on the interval, e.g. (0, 1, 2, 3, ...)\n * // x will occur every 1000ms\n * // if x % 2 is equal to 1, print a, b, c (each on its own)\n * // if x % 2 is not equal to 1, nothing will be output\n * ```\n *\n * @see {@link Observable}\n * @see {@link NEVER}\n * @see {@link of}\n * @see {@link throwError}\n */\nexport const EMPTY = new Observable((subscriber) => subscriber.complete());\n\n/**\n * @param scheduler A {@link SchedulerLike} to use for scheduling\n * the emission of the complete notification.\n * @deprecated Replaced with the {@link EMPTY} constant or {@link scheduled} (e.g. `scheduled([], scheduler)`). Will be removed in v8.\n */\nexport function empty(scheduler?: SchedulerLike) {\n return scheduler ? emptyScheduled(scheduler) : EMPTY;\n}\n\nfunction emptyScheduled(scheduler: SchedulerLike) {\n return new Observable((subscriber) => scheduler.schedule(() => subscriber.complete()));\n}\n", "import { MonoTypeOperatorFunction } from '../types';\nimport { EMPTY } from '../observable/empty';\nimport { operate } from '../util/lift';\nimport { createOperatorSubscriber } from './OperatorSubscriber';\n\n/**\n * Emits only the first `count` values emitted by the source Observable.\n *\n * Takes the first `count` values from the source, then\n * completes.\n *\n * ![](take.png)\n *\n * `take` returns an Observable that emits only the first `count` values emitted\n * by the source Observable. If the source emits fewer than `count` values then\n * all of its values are emitted. After that, it completes, regardless if the\n * source completes.\n *\n * ## Example\n *\n * Take the first 5 seconds of an infinite 1-second interval Observable\n *\n * ```ts\n * import { interval, take } from 'rxjs';\n *\n * const intervalCount = interval(1000);\n * const takeFive = intervalCount.pipe(take(5));\n * takeFive.subscribe(x => console.log(x));\n *\n * // Logs:\n * // 0\n * // 1\n * // 2\n * // 3\n * // 4\n * ```\n *\n * @see {@link takeLast}\n * @see {@link takeUntil}\n * @see {@link takeWhile}\n * @see {@link skip}\n *\n * @param count The maximum number of `next` values to emit.\n * @return A function that returns an Observable that emits only the first\n * `count` values emitted by the source Observable, or all of the values from\n * the source if the source emits fewer than `count` values.\n */\nexport function take(count: number): MonoTypeOperatorFunction {\n return count <= 0\n ? // If we are taking no values, that's empty.\n () => EMPTY\n : operate((source, subscriber) => {\n let seen = 0;\n source.subscribe(\n createOperatorSubscriber(subscriber, (value) => {\n // Increment the number of values we have seen,\n // then check it against the allowed count to see\n // if we are still letting values through.\n if (++seen <= count) {\n subscriber.next(value);\n // If we have met or passed our allowed count,\n // we need to complete. We have to do <= here,\n // because re-entrant code will increment `seen` twice.\n if (count <= seen) {\n subscriber.complete();\n }\n }\n })\n );\n });\n}\n", "import { HubConnectionBuilder } from '@microsoft/signalr';\r\nimport { Observable, Subject } from 'rxjs';\r\nimport { ErrorDto, StorySectionDto, UserStatsDto } from '../core/dtos';\r\n\r\nexport class StoryClient {\r\n private readonly textSubject = new Subject();\r\n public text$: Observable = this.textSubject.asObservable();\r\n\r\n private readonly sectionDoneSubject = new Subject();\r\n public sectionDone$: Observable =\r\n this.sectionDoneSubject.asObservable();\r\n\r\n private readonly parsingOptionsSubject = new Subject();\r\n public parsingOptions$: Observable =\r\n this.parsingOptionsSubject.asObservable();\r\n\r\n private readonly errorSubject = new Subject();\r\n public errors$: Observable = this.errorSubject.asObservable();\r\n\r\n private readonly userStatsSubject = new Subject();\r\n public userStatsSubject$: Observable =\r\n this.userStatsSubject.asObservable();\r\n\r\n private readonly connectedPromise: Promise;\r\n private readonly connection = new HubConnectionBuilder()\r\n .withUrl('/storyhub')\r\n .build();\r\n\r\n constructor(private readonly storyId: string) {\r\n this.connectedPromise = this.connection\r\n .start()\r\n .catch((err) => console.error(err));\r\n\r\n this.connection.on('sectionPartialText', (text: string) =>\r\n this.textSubject.next(text)\r\n );\r\n\r\n this.connection.on('sectionComplete', (data: StorySectionDto) =>\r\n this.sectionDoneSubject.next(data)\r\n );\r\n\r\n this.connection.on('startedParsingOptions', () =>\r\n this.parsingOptionsSubject.next()\r\n );\r\n\r\n this.connection.on('userStats', (userStats: UserStatsDto) =>\r\n this.userStatsSubject.next(userStats)\r\n );\r\n\r\n this.connection.on('error', (err: ErrorDto) => this.errorSubject.next(err));\r\n }\r\n\r\n public async continueWithChoice(choiceKey: number): Promise {\r\n await this.connectedPromise;\r\n this.connection.send('continueStory', this.storyId, choiceKey);\r\n }\r\n\r\n public async startStory(): Promise {\r\n await this.connectedPromise;\r\n this.connection.send('startStory', this.storyId);\r\n }\r\n\r\n public async getUserStats(): Promise {\r\n await this.connectedPromise;\r\n this.connection.send('getUserStats', this.storyId);\r\n }\r\n\r\n public async regenerateLastSection(): Promise {\r\n await this.connectedPromise;\r\n this.connection.send('regenerateLastSection', this.storyId);\r\n }\r\n}\r\n", "export default class Select {\n static byId(id: string): T {\n return document.getElementById(id) as T;\n }\n\n static byClass(className: string): T {\n return document.getElementsByClassName(className)[0] as T;\n }\n\n static byClassAll(className: string): T[] {\n return Array.from(document.getElementsByClassName(className)) as T[];\n }\n\n static byCss(selector: string): T {\n return document.querySelector(selector) as T;\n }\n\n static byCssAll(selector: string): T[] {\n return Array.from(document.querySelectorAll(selector)) as T[];\n }\n}\n", "declare const __translate: { [name: string]: string };\n\nexport function translate(name: string): string {\n return __translate[name] ?? name;\n}\n", "export function fromHTML(html: string, trim = true): T {\n html = trim ? html : html.trim();\n if (!html) return null;\n\n const template = document.createElement(\"template\");\n template.innerHTML = html;\n return template.content.firstChild as T;\n}\n", "import { OptionDto, StorySectionDto } from \"../core/dtos\";\r\nimport Select from \"../core/selector\";\r\nimport { translate } from \"../core/translate\";\r\nimport { fromHTML } from \"../core/util\";\r\n\r\nexport class ReadPage {\r\n private readonly buttonSection = Select.byId(\"button-container\");\r\n private readonly errorMessage = Select.byId(\"error-message\");\r\n private readonly loadingSpinner = Select.byId(\"loading-indicator\");\r\n private readonly regenerateButton =\r\n Select.byId(\"regenerate-btn\");\r\n private readonly optionContainer = Select.byId(\"option-container\");\r\n private readonly textSectionContainer = Select.byId(\r\n \"text-section-container\"\r\n );\r\n\r\n private activeSection: HTMLElement;\r\n private activeParagraph: HTMLParagraphElement;\r\n\r\n public onOptionButtonClicked(callback: (key: number) => void): void {\r\n this.optionContainer.addEventListener(\"click\", (e) => {\r\n const targetButton = e.target as HTMLButtonElement;\r\n if (!targetButton.classList.contains(\"btn\") || targetButton.disabled) {\r\n return;\r\n }\r\n\r\n const key = targetButton.dataset.choiceKey;\r\n callback(parseInt(key!));\r\n });\r\n }\r\n\r\n public onRegenerateButtonClicked(callback: () => void): void {\r\n this.regenerateButton.addEventListener(\"click\", callback);\r\n }\r\n\r\n public replaceLastSection(sectionDto: StorySectionDto): void {\r\n const lastParagraph = this.getLastSection();\r\n\r\n const section = this.createTextSection(sectionDto.text);\r\n lastParagraph.innerHTML = section.innerHTML;\r\n\r\n this.updateChoices(sectionDto.options);\r\n }\r\n\r\n public insertSection(sectionDto: StorySectionDto): void {\r\n const section = this.createTextSection(sectionDto.text);\r\n\r\n this.textSectionContainer.appendChild(document.createElement(\"hr\"));\r\n this.textSectionContainer.append(section);\r\n\r\n this.updateChoices(sectionDto.options);\r\n }\r\n\r\n public removeLastSection(): void {\r\n this.textSectionContainer.querySelector(\"section:last-child\").remove();\r\n this.textSectionContainer.querySelector(\"hr:last-child\").remove();\r\n }\r\n\r\n public updateChoices(options: OptionDto[]) {\r\n this.optionContainer.innerHTML = this.generateOptionsHtml(options);\r\n }\r\n\r\n //#region build section while streaming text\r\n\r\n public insertEmptySection(): void {\r\n this.activeSection = this.createTextSection(\"\");\r\n this.activeParagraph = this.activeSection\r\n .firstElementChild as HTMLParagraphElement;\r\n\r\n this.textSectionContainer.appendChild(document.createElement(\"hr\"));\r\n this.textSectionContainer.append(this.activeSection);\r\n }\r\n\r\n public appendText(text: string): void {\r\n this.activeParagraph.innerText += text;\r\n }\r\n\r\n public appendNewParagraph(text: string): void {\r\n this.activeParagraph = this.generateParagraphElement(text);\r\n this.activeSection.appendChild(this.activeParagraph);\r\n }\r\n\r\n //#endregion\r\n\r\n //#region state display\r\n\r\n public showLoadingSpinner(): void {\r\n this.loadingSpinner.classList.remove(\"d-none\");\r\n }\r\n\r\n public hideLoadingSpinner(): void {\r\n this.loadingSpinner.classList.add(\"d-none\");\r\n }\r\n\r\n public hideAllButtons(): void {\r\n this.buttonSection.classList.add(\"d-none\");\r\n }\r\n\r\n public showAllButtons(): void {\r\n this.buttonSection.classList.remove(\"d-none\");\r\n }\r\n \r\n public enableAllButtons() {\r\n const buttons = this.optionContainer.querySelectorAll(\"button\");\r\n [...buttons, this.regenerateButton].forEach(\r\n (btn) => (btn.disabled = false)\r\n );\r\n }\r\n\r\n public showButtonsAsLoading() {\r\n const buttons = this.optionContainer.querySelectorAll(\"button\");\r\n buttons.forEach((btn) => {\r\n btn.innerText = \"...\";\r\n });\r\n }\r\n\r\n public disableAllButtons() {\r\n const buttons = this.optionContainer.querySelectorAll(\"button\");\r\n [...buttons, this.regenerateButton].forEach((btn) => (btn.disabled = true));\r\n }\r\n\r\n public showPromptLimitReachedPopover(show: boolean): void {\r\n const container = Select.byId(\"no-more-tokens-popover\");\r\n\r\n if (show) {\r\n container.classList.remove(\"d-none\");\r\n return;\r\n }\r\n\r\n container.classList.add(\"d-none\");\r\n }\r\n\r\n //#endregion\r\n\r\n public showError(errorMessage: string): void {\r\n this.errorMessage.innerHTML = /*html*/`
\r\n ${translate(errorMessage)}\r\n
`;\r\n }\r\n\r\n public clearError(): void {\r\n this.errorMessage.innerHTML = \"\";\r\n }\r\n\r\n public focusLastSection() {\r\n const lastParagraph = this.getLastSection();\r\n lastParagraph.scrollIntoView();\r\n lastParagraph.classList.add(\"highlight\");\r\n\r\n setTimeout(() => {\r\n lastParagraph.classList.remove(\"highlight\");\r\n }, 1000);\r\n }\r\n\r\n public storyIsNew(): boolean {\r\n return this.textSectionContainer.children.length === 1;\r\n }\r\n\r\n private getLastSection() {\r\n return this.textSectionContainer.querySelector(\"section:last-child\");\r\n }\r\n\r\n private createTextSection(textSection: string) {\r\n const section = document.createElement(\"section\");\r\n section.innerHTML = textSection\r\n .split(\"\\n\\n\")\r\n .map((text) => this.generateParagraphsHtml(text))\r\n .join(\"\");\r\n return section;\r\n }\r\n\r\n private generateParagraphsHtml(text: string): string {\r\n return /*html*/ `

${text}

`;\r\n }\r\n\r\n private generateParagraphElement(text: string): HTMLParagraphElement {\r\n return fromHTML(this.generateParagraphsHtml(text));\r\n }\r\n\r\n private generateOptionsHtml(options: OptionDto[]): string {\r\n return /*html*/ `\r\n
\r\n ${options\r\n .map(\r\n (opt) => /*html*/ `\r\n
\r\n \r\n
`\r\n )\r\n .join(\"\")}\r\n
\r\n `;\r\n }\r\n}\r\n", "export interface StorySectionDto {\r\n text: string;\r\n options: OptionDto[];\r\n}\r\n\r\nexport interface OptionDto {\r\n key: number;\r\n text: string;\r\n}\r\n\r\nexport interface ErrorDto {\r\n type: number;\r\n message: string;\r\n}\r\n\r\nexport interface UserStatsDto {\r\n canGenerateMore: boolean;\r\n}\r\n\r\nexport interface StoryDto {\r\n id: string;\r\n title: string;\r\n summary: string;\r\n sections: StorySectionDto[];\r\n}\r\n\r\nexport class ErrorTypes {\r\n public static Generic = 500;\r\n public static TokenLimitReached = 402;\r\n public static AlreadyGenerating = 409;\r\n public static NotFound = 404;\r\n}\r\n", "import { Page } from \"../page\";\r\nimport { StoryClient } from \"../signalr/story-client\";\r\nimport { take } from \"rxjs/operators\";\r\nimport { ReadPage } from \"./read-page\";\r\nimport { ErrorTypes } from \"../core/dtos\";\r\n\r\nclass ReadPageInteractor extends Page {\r\n private client: StoryClient;\r\n private page: ReadPage;\r\n canGenerateMore: boolean;\r\n\r\n constructor() {\r\n super(/stories\\/read\\/.+/);\r\n }\r\n\r\n protected onLoaded(): void {\r\n this.client = new StoryClient(this.getCurrentStoryId());\r\n this.page = new ReadPage();\r\n\r\n if (this.page.storyIsNew()) {\r\n this.startStory();\r\n }\r\n\r\n this.page.onOptionButtonClicked((key) => this.pickChoice(key));\r\n this.page.onRegenerateButtonClicked(() => this.regenerateLastSection());\r\n\r\n this.handleErrors();\r\n this.listenForUserStatsChange();\r\n }\r\n\r\n private handleErrors() {\r\n this.client.errors$.subscribe((err) => {\r\n this.page.showError(err.message);\r\n this.page.hideLoadingSpinner();\r\n\r\n if (err.type != ErrorTypes.AlreadyGenerating) {\r\n this.page.showAllButtons();\r\n }\r\n });\r\n }\r\n\r\n private listenForUserStatsChange() {\r\n this.client.userStatsSubject$.subscribe((stats) => {\r\n this.canGenerateMore = stats.canGenerateMore;\r\n if (!stats.canGenerateMore) {\r\n this.page.disableAllButtons();\r\n this.page.showPromptLimitReachedPopover(true);\r\n } else {\r\n this.page.enableAllButtons();\r\n this.page.showPromptLimitReachedPopover(false);\r\n }\r\n });\r\n\r\n this.client.getUserStats();\r\n }\r\n\r\n private async regenerateLastSection(): Promise {\r\n try {\r\n this.page.clearError();\r\n this.page.hideAllButtons();\r\n this.page.showLoadingSpinner();\r\n\r\n this.page.removeLastSection();\r\n\r\n this.setupStreamListeners();\r\n this.client.regenerateLastSection();\r\n } catch {}\r\n\r\n this.page.enableAllButtons();\r\n }\r\n\r\n private async pickChoice(choiceKey: number): Promise {\r\n try {\r\n this.page.clearError();\r\n this.page.hideAllButtons();\r\n this.page.showLoadingSpinner();\r\n\r\n this.setupStreamListeners();\r\n this.client.continueWithChoice(choiceKey);\r\n } catch (e) {\r\n console.error(e);\r\n }\r\n }\r\n\r\n private async startStory(): Promise {\r\n try {\r\n this.page.clearError();\r\n this.page.hideAllButtons();\r\n this.page.showLoadingSpinner();\r\n\r\n this.setupStreamListeners();\r\n this.client.startStory();\r\n } catch (e) {\r\n console.error(e);\r\n }\r\n }\r\n\r\n private getCurrentStoryId(): string {\r\n const url = new URL(location.href);\r\n return url.pathname.split(\"/\").pop()!;\r\n }\r\n\r\n private setupStreamListeners() {\r\n let isInitialized = false;\r\n this.page.insertEmptySection();\r\n\r\n const textSub = this.client.text$.subscribe((txt) => {\r\n if (!isInitialized) {\r\n this.page.hideLoadingSpinner();\r\n this.page.focusLastSection();\r\n isInitialized = true;\r\n }\r\n\r\n const split = txt.split(\"\\n\\n\");\r\n if (split.length === 1) {\r\n this.page.appendText(txt);\r\n return;\r\n }\r\n\r\n this.page.appendText(split[0]);\r\n this.page.appendNewParagraph(split[1]);\r\n });\r\n\r\n this.client.parsingOptions$.pipe(take(1)).subscribe((options) => {\r\n this.page.showLoadingSpinner();\r\n });\r\n\r\n this.client.sectionDone$.pipe(take(1)).subscribe((sectionDto) => {\r\n this.page.replaceLastSection(sectionDto);\r\n\r\n this.page.hideLoadingSpinner();\r\n this.page.showAllButtons();\r\n\r\n textSub.unsubscribe();\r\n });\r\n }\r\n}\r\n\r\nnew ReadPageInteractor();\r\n", "import Select from \"./core/selector\";\n\nclass FeedbackWidget {\n private readonly feedbackWidget: HTMLElement;\n private readonly importantElements: HTMLElement[];\n private readonly showFormBtn: HTMLElement;\n private readonly submitBtn: HTMLElement;\n private readonly closeBtn: HTMLElement;\n\n constructor() {\n this.feedbackWidget = Select.byId(\"feedbackWidget\");\n this.importantElements = this.detectOcclusionSensitiveElements();\n this.showFormBtn = Select.byId(\"showFeedbackForm\");\n this.submitBtn = Select.byId(\"submitFeedback\");\n this.closeBtn = Select.byId(\"closeFeedbackForm\");\n\n this.showFormBtn.addEventListener(\"click\", () => this.showFeedbackForm());\n this.submitBtn.addEventListener(\"click\", () => this.submitFeedback());\n this.closeBtn.addEventListener(\"click\", () => this.closeFeedbackForm(true));\n\n this.handleMainOcclusion();\n this.handleMinimization();\n\n window.addEventListener(\"scroll\", () => {\n this.handleMainOcclusion();\n this.handleMinimization();\n });\n }\n\n public static shouldBeInitialized(): boolean {\n return Select.byId(\"feedbackWidget\") !== null;\n }\n\n private detectOcclusionSensitiveElements(): HTMLElement[] {\n return Array.from(document.querySelectorAll(\"main, .hero\"));\n }\n\n private showFeedbackForm(): void {\n const feedbackForm = Select.byId(\"feedbackForm\");\n if (feedbackForm) {\n this.showFormBtn.classList.add(\"d-none\");\n feedbackForm.classList.remove(\"d-none\");\n }\n }\n\n private async submitFeedback(): Promise {\n const feedback = Select.byId(\"feedbackText\").value;\n const email =\n Select.byId(\"emailAddress\").value.trim() || null;\n\n if (!feedback) {\n return;\n }\n\n if (await this.sendFeedback(feedback, email)) {\n this.closeFeedbackForm(false);\n }\n }\n\n private closeFeedbackForm(showButton: boolean) {\n Select.byId(\"feedbackText\").value = \"\";\n Select.byId(\"feedbackForm\")?.classList.add(\"d-none\");\n if (showButton) {\n Select.byId(\"showFeedbackForm\")?.classList.remove(\"d-none\");\n }\n }\n\n private async sendFeedback(\n feedback: string,\n email: string | null\n ): Promise {\n const currentUrl = window.location.href;\n const result = await fetch(\"/api/feedback\", {\n method: \"POST\",\n headers: {\n \"Content-Type\": \"application/json\",\n },\n body: JSON.stringify({\n message: feedback,\n context: currentUrl,\n contact: email,\n }),\n });\n\n if (result.ok) {\n const toast = new bootstrap.Toast(Select.byId(\"successToast\"));\n toast.show();\n return true;\n }\n }\n\n private handleMainOcclusion() {\n if (!this.feedbackWidget || !this.importantElements) {\n return;\n }\n\n const ocludesAnything = this.importantElements.find((e) =>\n this.ocludesElement(e)\n );\n\n if (ocludesAnything) {\n this.feedbackWidget.classList.add(\"opaque\");\n } else {\n this.feedbackWidget.classList.remove(\"opaque\");\n }\n }\n\n private ocludesElement(element: HTMLElement): boolean {\n const rect = element.getBoundingClientRect();\n const feedbackRect = this.feedbackWidget.getBoundingClientRect();\n\n return (\n feedbackRect.top <= rect.bottom &&\n feedbackRect.right - 70 <= rect.right &&\n feedbackRect.bottom >= rect.top &&\n feedbackRect.right >= rect.left\n );\n }\n\n private handleMinimization() {\n if (!this.feedbackWidget) {\n return;\n }\n\n if (window.innerHeight + window.scrollY >= document.body.offsetHeight) {\n this.feedbackWidget.classList.add(\"minimized\");\n } else {\n this.feedbackWidget.classList.remove(\"minimized\");\n }\n }\n}\n\nwindow.onload = () => {\n if (FeedbackWidget.shouldBeInitialized()) {\n new FeedbackWidget();\n }\n};\n", "import Select from \"./core/selector\";\n\nconst cookieName = \"lang\";\n\nSelect.byClassAll(\"lang-change\").forEach((element) => {\n if (element.classList.contains(\"active\")) {\n setCookie(getLanguageValueFromElement(element));\n }\n\n element.addEventListener(\"click\", (event) => {\n event.preventDefault();\n const lang = getLanguageValueFromElement(element);\n if (lang) {\n setCookie(lang);\n\n const path = window.location.pathname;\n if (path.length == 1) {\n if (lang !== \"en\") {\n window.location.pathname = `/${lang}`;\n }\n return;\n }\n\n const pathParts = path.split(\"/\");\n if (pathParts[1] === lang) {\n return;\n }\n\n pathParts[1] = lang;\n window.location.pathname = pathParts.join(\"/\");\n }\n });\n});\n\nfunction getLanguageValueFromElement(element: HTMLElement): string {\n return element.getAttribute(\"data-lang-target\") || \"\";\n}\n\nfunction setCookie(lang: string) {\n var currentLangCookie = getCookie();\n if (currentLangCookie === lang) {\n return;\n }\n\n document.cookie = `${cookieName}=${lang};path=/;max-age=31536000`;\n}\n\nfunction getCookie(): string | null {\n var cookieRow = document.cookie\n .split(\"; \")\n .find((row) => row.startsWith(cookieName));\n\n return cookieRow ? cookieRow.split(\"=\")[1] : null;\n}\n", "import Select from \"../core/selector\";\nimport { translate } from \"../core/translate\";\n\nfunction attach(): void {\n Select.byClassAll(\"inline-prompt\").forEach((element: HTMLElement) => {\n element.addEventListener(\"click\", (e: MouseEvent) => {\n e.stopPropagation();\n e.preventDefault();\n showInlinePrompt(e.currentTarget as HTMLButtonElement);\n });\n });\n}\n\nfunction showInlinePrompt(button: HTMLButtonElement): void {\n button.classList.add(\"d-none\");\n\n const buttonContainer = document.createElement(\"div\");\n buttonContainer.classList.add(\"btn-group\", \"p-relative\");\n\n const acceptButton = document.createElement(\"button\");\n acceptButton.formAction = button.formAction;\n acceptButton.dataset.bsToggle = \"popover\";\n acceptButton.dataset.bsPlacement = \"top\";\n acceptButton.dataset.bsContent = translate(\"Confirm deletion?\");\n acceptButton.innerHTML = `\n \n`;\n acceptButton.classList.add(\"btn\", \"btn-outline-success\");\n\n\n var pp = new bootstrap.Popover(acceptButton);\n\n acceptButton.addEventListener(\"click\", (e: MouseEvent) => {\n setTimeout(() => {\n buttonContainer.remove();\n button.classList.remove(\"d-none\");\n pp.hide();\n }, 100);\n });\n\n const abortButton = document.createElement(\"button\");\n abortButton.innerHTML = `\n \n`;\n abortButton.classList.add(\"btn\", \"btn-outline-danger\");\n abortButton.addEventListener(\"click\", (e: MouseEvent) => {\n e.stopPropagation();\n e.preventDefault();\n buttonContainer.remove();\n button.classList.remove(\"d-none\");\n pp.hide();\n });\n\n buttonContainer.appendChild(acceptButton);\n buttonContainer.appendChild(abortButton);\n\n const parent = button.parentElement;\n parent?.appendChild(buttonContainer);\n\n pp.show();\n}\n\nattach();\n", "import './create';\r\nimport './read';\r\nimport './feedback';\r\nimport './language-toggle';\r\nimport './inline-prompt/inline-prompt';\r\n\r\ndocument.addEventListener('DOMContentLoaded', () => {\r\n makeExamplesInteractive();\r\n\r\n const dates = document.querySelectorAll('.utc-date')!;\r\n for (let date of dates) {\r\n date.innerText = new Date(date.innerText).toLocaleString(undefined, {\r\n month: '2-digit',\r\n day: '2-digit',\r\n year: '2-digit',\r\n hour: '2-digit',\r\n minute: '2-digit',\r\n });\r\n }\r\n});\r\n\r\nfunction makeExamplesInteractive() {\r\n const examples = document.getElementsByClassName('intro-example');\r\n for (const example of examples) {\r\n example.addEventListener('click', (e: Event) => {\r\n const currentTarget = e.currentTarget as HTMLElement;\r\n\r\n const title =\r\n currentTarget.querySelector('.card-title')?.textContent ?? '';\r\n const titleInput = document.getElementById('Title') as HTMLInputElement;\r\n titleInput.value = title;\r\n\r\n const text = currentTarget.querySelector('.card-text')?.textContent ?? '';\r\n const textInput = document.getElementById(\r\n 'StoryLine'\r\n ) as HTMLInputElement;\r\n textInput.value = text;\r\n\r\n titleInput.scrollIntoView({ block: 'center', behavior: 'smooth' });\r\n });\r\n }\r\n}"], "mappings": "gdAAO,IAAeA,EAAf,KAAoB,CACzB,YAAsBC,EAA0B,CAA1B,aAAAA,EAEjB,OAAOA,GAAY,UAAY,CAAC,SAAS,KAAK,SAASA,CAAO,GAC9D,OAAOA,GAAY,UAAY,CAACA,EAAQ,KAAK,SAAS,IAAI,GAK7D,SAAS,iBAAiB,mBAAoB,IAAM,KAAK,SAAS,CAAC,CACrE,CAGF,ECXA,IAAMC,GAAN,cAAyBC,CAAK,CAC5B,aAAc,CACZ,MAAM,gBAAgB,CACxB,CAEU,UAAiB,CACzB,IAAMC,EAAS,SAAS,eAAe,WAAW,EACrC,SAAS,eACpB,mBACF,EAEK,iBAAiB,SAAWC,GAAa,CAC5CD,EAAO,SAAW,EACpB,CAAC,CACH,CACF,EAEA,IAAIF,GCbE,IAAOI,EAAP,cAAyB,KAAK,CAahC,YAAYC,EAAsBC,EAAkB,CAChD,IAAMC,EAAY,WAAW,UAC7B,MAAM,GAAGF,mBAA8BC,IAAa,EACpD,KAAK,WAAaA,EAIlB,KAAK,UAAYC,CACrB,GAISC,EAAP,cAA4B,KAAK,CASnC,YAAYH,EAAuB,sBAAqB,CACpD,IAAME,EAAY,WAAW,UAC7B,MAAMF,CAAY,EAIlB,KAAK,UAAYE,CACrB,GAISE,EAAP,cAA0B,KAAK,CASjC,YAAYJ,EAAuB,qBAAoB,CACnD,IAAME,EAAY,WAAW,UAC7B,MAAMF,CAAY,EAIlB,KAAK,UAAYE,CACrB,GAKSG,GAAP,cAAyC,KAAK,CAgBhD,YAAYC,EAAiBC,EAA4B,CACrD,IAAML,EAAY,WAAW,UAC7B,MAAMI,CAAO,EACb,KAAK,UAAYC,EACjB,KAAK,UAAY,4BAIjB,KAAK,UAAYL,CACrB,GAKSM,GAAP,cAAsC,KAAK,CAgB7C,YAAYF,EAAiBC,EAA4B,CACrD,IAAML,EAAY,WAAW,UAC7B,MAAMI,CAAO,EACb,KAAK,UAAYC,EACjB,KAAK,UAAY,yBAIjB,KAAK,UAAYL,CACrB,GAKSO,GAAP,cAA2C,KAAK,CAgBlD,YAAYH,EAAiBC,EAA4B,CACrD,IAAML,EAAY,WAAW,UAC7B,MAAMI,CAAO,EACb,KAAK,UAAYC,EACjB,KAAK,UAAY,8BAIjB,KAAK,UAAYL,CACrB,GAKSQ,GAAP,cAAgD,KAAK,CAYvD,YAAYJ,EAAe,CACvB,IAAMJ,EAAY,WAAW,UAC7B,MAAMI,CAAO,EACb,KAAK,UAAY,mCAIjB,KAAK,UAAYJ,CACrB,GAKSS,GAAP,cAA+B,KAAK,CAatC,YAAYL,EAAiBM,EAAoB,CAC7C,IAAMV,EAAY,WAAW,UAC7B,MAAMI,CAAO,EAEb,KAAK,YAAcM,EAInB,KAAK,UAAYV,CACrB,GC/KE,IAAOW,EAAP,KAAmB,CAqCrB,YACoBC,EACAC,EACAC,EAA8B,CAF9B,KAAA,WAAAF,EACA,KAAA,WAAAC,EACA,KAAA,QAAAC,CACpB,GAOkBC,EAAhB,KAA0B,CAerB,IAAIC,EAAaC,EAAqB,CACzC,OAAO,KAAK,KAAK,CACb,GAAGA,EACH,OAAQ,MACR,IAAAD,EACH,CACL,CAgBO,KAAKA,EAAaC,EAAqB,CAC1C,OAAO,KAAK,KAAK,CACb,GAAGA,EACH,OAAQ,OACR,IAAAD,EACH,CACL,CAgBO,OAAOA,EAAaC,EAAqB,CAC5C,OAAO,KAAK,KAAK,CACb,GAAGA,EACH,OAAQ,SACR,IAAAD,EACH,CACL,CAeO,gBAAgBA,EAAW,CAC9B,MAAO,EACX,GC5JJ,IAAYE,GAAZ,SAAYA,EAAQ,CAEhBA,EAAAA,EAAA,MAAA,CAAA,EAAA,QAEAA,EAAAA,EAAA,MAAA,CAAA,EAAA,QAEAA,EAAAA,EAAA,YAAA,CAAA,EAAA,cAEAA,EAAAA,EAAA,QAAA,CAAA,EAAA,UAEAA,EAAAA,EAAA,MAAA,CAAA,EAAA,QAEAA,EAAAA,EAAA,SAAA,CAAA,EAAA,WAEAA,EAAAA,EAAA,KAAA,CAAA,EAAA,MACJ,GAfYA,IAAAA,EAAQ,CAAA,EAAA,ECFd,IAAOC,EAAP,KAAiB,CAInB,aAAA,CAAuB,CAIhB,IAAIC,EAAqBC,EAAgB,CAChD,GAPcF,EAAA,SAAoB,IAAIA,ECKnC,IAAMG,GAAkB,QAElBC,EAAP,KAAU,CACL,OAAO,WAAWC,EAAUC,EAAY,CAC3C,GAAID,GAAQ,KACR,MAAM,IAAI,MAAM,QAAQC,0BAA6B,CAE7D,CACO,OAAO,WAAWD,EAAaC,EAAY,CAC9C,GAAI,CAACD,GAAOA,EAAI,MAAM,OAAO,EACzB,MAAM,IAAI,MAAM,QAAQC,kCAAqC,CAErE,CAEO,OAAO,KAAKD,EAAUE,EAAaD,EAAY,CAElD,GAAI,EAAED,KAAOE,GACT,MAAM,IAAI,MAAM,WAAWD,YAAeD,IAAM,CAExD,GAISG,EAAP,KAAe,CAEV,WAAW,WAAS,CACvB,OAAO,OAAO,QAAW,UAAY,OAAO,OAAO,UAAa,QACpE,CAGO,WAAW,aAAW,CACzB,OAAO,OAAO,MAAS,UAAY,kBAAmB,IAC1D,CAGA,WAAW,eAAa,CACpB,OAAO,OAAO,QAAW,UAAY,OAAO,OAAO,SAAa,GACpE,CAIO,WAAW,QAAM,CACpB,MAAO,CAAC,KAAK,WAAa,CAAC,KAAK,aAAe,CAAC,KAAK,aACzD,GAIE,SAAUC,EAAcC,EAAWC,EAAuB,CAC5D,IAAIC,EAAS,GACb,OAAIC,EAAcH,CAAI,GAClBE,EAAS,yBAAyBF,EAAK,aACnCC,IACAC,GAAU,eAAeE,GAAkBJ,CAAI,OAE5C,OAAOA,GAAS,WACvBE,EAAS,yBAAyBF,EAAK,SACnCC,IACAC,GAAU,eAAeF,OAG1BE,CACX,CAGM,SAAUE,GAAkBJ,EAAiB,CAC/C,IAAMK,EAAO,IAAI,WAAWL,CAAI,EAG5BM,EAAM,GACV,OAAAD,EAAK,QAASE,GAAO,CACjB,IAAMC,EAAMD,EAAM,GAAK,IAAM,GAC7BD,GAAO,KAAKE,IAAMD,EAAI,SAAS,EAAE,IACrC,CAAC,EAGMD,EAAI,OAAO,EAAGA,EAAI,OAAS,CAAC,CACvC,CAIM,SAAUH,EAAcR,EAAQ,CAClC,OAAOA,GAAO,OAAO,YAAgB,MAChCA,aAAe,aAEXA,EAAI,aAAeA,EAAI,YAAY,OAAS,cACzD,CAGA,eAAsBc,GAAYC,EAAiBC,EAAuBC,EAAwBC,EAChEC,EAA+BC,EAA+B,CAC5F,IAAMC,EAAiC,CAAA,EAEjC,CAACpB,EAAMqB,CAAK,EAAIC,EAAkB,EACxCF,EAAQpB,CAAI,EAAIqB,EAEhBP,EAAO,IAAIS,EAAS,MAAO,IAAIR,8BAA0CZ,EAAce,EAASC,EAAQ,iBAAkB,IAAI,EAE9H,IAAMK,EAAejB,EAAcW,CAAO,EAAI,cAAgB,OACxDO,EAAW,MAAMT,EAAW,KAAKC,EAAK,CACxC,QAAAC,EACA,QAAS,CAAE,GAAGE,EAAS,GAAGD,EAAQ,OAAO,EACzC,aAAAK,EACA,QAASL,EAAQ,QACjB,gBAAiBA,EAAQ,gBAC5B,EAEDL,EAAO,IAAIS,EAAS,MAAO,IAAIR,mDAA+DU,EAAS,aAAa,CACxH,CAGM,SAAUC,GAAaZ,EAA2B,CACpD,OAAIA,IAAW,OACJ,IAAIa,EAAcJ,EAAS,WAAW,EAG7CT,IAAW,KACJc,EAAW,SAGjBd,EAAmB,MAAQ,OACrBA,EAGJ,IAAIa,EAAcb,CAAkB,CAC/C,CAGM,IAAOe,GAAP,KAA0B,CAI5B,YAAYC,EAAqBC,EAA8B,CAC3D,KAAK,SAAWD,EAChB,KAAK,UAAYC,CACrB,CAEO,SAAO,CACV,IAAMC,EAAgB,KAAK,SAAS,UAAU,QAAQ,KAAK,SAAS,EAChEA,EAAQ,IACR,KAAK,SAAS,UAAU,OAAOA,EAAO,CAAC,EAGvC,KAAK,SAAS,UAAU,SAAW,GAAK,KAAK,SAAS,gBACtD,KAAK,SAAS,eAAc,EAAG,MAAOC,GAAK,CAAG,CAAC,CAEvD,GAISN,EAAP,KAAoB,CAWtB,YAAYO,EAAyB,CACjC,KAAK,UAAYA,EACjB,KAAK,IAAM,OACf,CAEO,IAAIC,EAAoBC,EAAe,CAC1C,GAAID,GAAY,KAAK,UAAW,CAC5B,IAAME,EAAM,IAAI,IAAI,KAAI,EAAG,YAAW,MAAOd,EAASY,CAAQ,MAAMC,IACpE,OAAQD,EAAU,CACd,KAAKZ,EAAS,SACd,KAAKA,EAAS,MACV,KAAK,IAAI,MAAMc,CAAG,EAClB,MACJ,KAAKd,EAAS,QACV,KAAK,IAAI,KAAKc,CAAG,EACjB,MACJ,KAAKd,EAAS,YACV,KAAK,IAAI,KAAKc,CAAG,EACjB,MACJ,QAEI,KAAK,IAAI,IAAIA,CAAG,EAChB,OAGhB,GAIE,SAAUf,GAAkB,CAC9B,IAAIgB,EAAsB,uBAC1B,OAAIpC,EAAS,SACToC,EAAsB,cAEnB,CAAEA,EAAqBC,GAAmB1C,GAAS2C,GAAS,EAAIC,GAAU,EAAIC,GAAiB,CAAE,CAAC,CAC7G,CAGM,SAAUH,GAAmBI,EAAiBC,EAAYC,EAAiBC,EAAkC,CAE/G,IAAIC,EAAoB,qBAElBC,EAAgBL,EAAQ,MAAM,GAAG,EACvC,OAAAI,GAAa,GAAGC,EAAc,CAAC,KAAKA,EAAc,CAAC,IACnDD,GAAa,KAAKJ,MAEdC,GAAMA,IAAO,GACbG,GAAa,GAAGH,MAEhBG,GAAa,eAGjBA,GAAa,GAAGF,IAEZC,EACAC,GAAa,KAAKD,IAElBC,GAAa,4BAGjBA,GAAa,IACNA,CACX,CAGc,SAASP,IAAS,CAC5B,GAAItC,EAAS,OACT,OAAQ,QAAQ,SAAU,CACtB,IAAK,QACD,MAAO,aACX,IAAK,SACD,MAAO,QACX,IAAK,QACD,MAAO,QACX,QACI,OAAO,QAAQ,aAGvB,OAAO,EAEf,CAGc,SAASwC,IAAiB,CACpC,GAAIxC,EAAS,OACT,OAAO,QAAQ,SAAS,IAGhC,CAEA,SAASuC,IAAU,CACf,OAAIvC,EAAS,OACF,SAEA,SAEf,CAGM,SAAU+C,GAAeC,EAAM,CACjC,OAAIA,EAAE,MACKA,EAAE,MACFA,EAAE,QACFA,EAAE,QAEN,GAAGA,GACd,CAGM,SAAUC,IAAa,CAEzB,GAAI,OAAO,WAAe,IACtB,OAAO,WAEX,GAAI,OAAO,KAAS,IAChB,OAAO,KAEX,GAAI,OAAO,OAAW,IAClB,OAAO,OAEX,GAAI,OAAO,OAAW,IAClB,OAAO,OAEX,MAAM,IAAI,MAAM,uBAAuB,CAC3C,CC9RM,IAAOC,GAAP,cAA+BC,CAAU,CAO3C,YAAmBC,EAAe,CAI9B,GAHA,MAAK,EACL,KAAK,QAAUA,EAEX,OAAO,MAAU,IAAa,CAG9B,IAAMC,EAAc,OAAO,qBAAwB,WAAa,wBAA0BC,EAG1F,KAAK,KAAO,IAAKD,EAAY,cAAc,GAAG,UAC9C,KAAK,WAAaA,EAAY,YAAY,EAI1C,KAAK,WAAaA,EAAY,cAAc,EAAE,KAAK,WAAY,KAAK,IAAI,OAExE,KAAK,WAAa,MAAM,KAAKE,GAAa,CAAE,EAEhD,GAAI,OAAO,gBAAoB,IAAa,CAGxC,IAAMF,EAAc,OAAO,qBAAwB,WAAa,wBAA0BC,EAG1F,KAAK,qBAAuBD,EAAY,kBAAkB,OAE1D,KAAK,qBAAuB,eAEpC,CAGO,MAAM,KAAKG,EAAoB,CAElC,GAAIA,EAAQ,aAAeA,EAAQ,YAAY,QAC3C,MAAM,IAAIC,EAGd,GAAI,CAACD,EAAQ,OACT,MAAM,IAAI,MAAM,oBAAoB,EAExC,GAAI,CAACA,EAAQ,IACT,MAAM,IAAI,MAAM,iBAAiB,EAGrC,IAAME,EAAkB,IAAI,KAAK,qBAE7BC,EAEAH,EAAQ,cACRA,EAAQ,YAAY,QAAU,IAAK,CAC/BE,EAAgB,MAAK,EACrBC,EAAQ,IAAIF,CAChB,GAKJ,IAAIG,EAAiB,KACrB,GAAIJ,EAAQ,QAAS,CACjB,IAAMK,EAAYL,EAAQ,QAC1BI,EAAY,WAAW,IAAK,CACxBF,EAAgB,MAAK,EACrB,KAAK,QAAQ,IAAII,EAAS,QAAS,4BAA4B,EAC/DH,EAAQ,IAAII,CAChB,EAAGF,CAAS,EAGZL,EAAQ,UAAY,KACpBA,EAAQ,QAAU,QAElBA,EAAQ,UAERA,EAAQ,QAAUA,EAAQ,SAAW,CAAA,EACjCQ,EAAcR,EAAQ,OAAO,EAC7BA,EAAQ,QAAQ,cAAc,EAAI,2BAElCA,EAAQ,QAAQ,cAAc,EAAI,4BAI1C,IAAIS,EACJ,GAAI,CACAA,EAAW,MAAM,KAAK,WAAWT,EAAQ,IAAM,CAC3C,KAAMA,EAAQ,QACd,MAAO,WACP,YAAaA,EAAQ,kBAAoB,GAAO,UAAY,cAC5D,QAAS,CACL,mBAAoB,iBACpB,GAAGA,EAAQ,SAEf,OAAQA,EAAQ,OAChB,KAAM,OACN,SAAU,SACV,OAAQE,EAAgB,OAC3B,QACIQ,EAAP,CACE,MAAIP,IAGJ,KAAK,QAAQ,IACTG,EAAS,QACT,4BAA4BI,IAAI,EAE9BA,WAEFN,GACA,aAAaA,CAAS,EAEtBJ,EAAQ,cACRA,EAAQ,YAAY,QAAU,MAItC,GAAI,CAACS,EAAS,GAAI,CACd,IAAME,EAAe,MAAMC,GAAmBH,EAAU,MAAM,EAC9D,MAAM,IAAII,EAAUF,GAAgBF,EAAS,WAAYA,EAAS,MAAM,EAI5E,IAAMK,EAAU,MADAF,GAAmBH,EAAUT,EAAQ,YAAY,EAGjE,OAAO,IAAIe,EACPN,EAAS,OACTA,EAAS,WACTK,CAAO,CAEf,CAEO,gBAAgBE,EAAW,CAC9B,IAAIC,EAAkB,GACtB,OAAIC,EAAS,QAAU,KAAK,MAExB,KAAK,KAAK,WAAWF,EAAK,CAACN,EAAGS,IAAMF,EAAUE,EAAE,KAAK,IAAI,CAAC,EAEvDF,CACX,GAGJ,SAASL,GAAmBH,EAAoBW,EAAyC,CACrF,IAAIC,EACJ,OAAQD,EAAc,CAClB,IAAK,cACDC,EAAUZ,EAAS,YAAW,EAC9B,MACJ,IAAK,OACDY,EAAUZ,EAAS,KAAI,EACvB,MACJ,IAAK,OACL,IAAK,WACL,IAAK,OACD,MAAM,IAAI,MAAM,GAAGW,qBAAgC,EACvD,QACIC,EAAUZ,EAAS,KAAI,EACvB,MAGR,OAAOY,CACX,CCxKM,IAAOC,GAAP,cAA6BC,CAAU,CAGzC,YAAmBC,EAAe,CAC9B,MAAK,EACL,KAAK,QAAUA,CACnB,CAGO,KAAKC,EAAoB,CAE5B,OAAIA,EAAQ,aAAeA,EAAQ,YAAY,QACpC,QAAQ,OAAO,IAAIC,CAAY,EAGrCD,EAAQ,OAGRA,EAAQ,IAIN,IAAI,QAAsB,CAACE,EAASC,IAAU,CACjD,IAAMC,EAAM,IAAI,eAEhBA,EAAI,KAAKJ,EAAQ,OAASA,EAAQ,IAAM,EAAI,EAC5CI,EAAI,gBAAkBJ,EAAQ,kBAAoB,OAAY,GAAOA,EAAQ,gBAC7EI,EAAI,iBAAiB,mBAAoB,gBAAgB,EACrDJ,EAAQ,UAAY,KACpBA,EAAQ,QAAU,QAElBA,EAAQ,UAEJK,EAAcL,EAAQ,OAAO,EAC7BI,EAAI,iBAAiB,eAAgB,0BAA0B,EAE/DA,EAAI,iBAAiB,eAAgB,0BAA0B,GAIvE,IAAME,EAAUN,EAAQ,QACpBM,GACA,OAAO,KAAKA,CAAO,EACd,QAASC,GAAU,CAChBH,EAAI,iBAAiBG,EAAQD,EAAQC,CAAM,CAAC,CAChD,CAAC,EAGLP,EAAQ,eACRI,EAAI,aAAeJ,EAAQ,cAG3BA,EAAQ,cACRA,EAAQ,YAAY,QAAU,IAAK,CAC/BI,EAAI,MAAK,EACTD,EAAO,IAAIF,CAAY,CAC3B,GAGAD,EAAQ,UACRI,EAAI,QAAUJ,EAAQ,SAG1BI,EAAI,OAAS,IAAK,CACVJ,EAAQ,cACRA,EAAQ,YAAY,QAAU,MAG9BI,EAAI,QAAU,KAAOA,EAAI,OAAS,IAClCF,EAAQ,IAAIM,EAAaJ,EAAI,OAAQA,EAAI,WAAYA,EAAI,UAAYA,EAAI,YAAY,CAAC,EAEtFD,EAAO,IAAIM,EAAUL,EAAI,UAAYA,EAAI,cAAgBA,EAAI,WAAYA,EAAI,MAAM,CAAC,CAE5F,EAEAA,EAAI,QAAU,IAAK,CACf,KAAK,QAAQ,IAAIM,EAAS,QAAS,4BAA4BN,EAAI,WAAWA,EAAI,aAAa,EAC/FD,EAAO,IAAIM,EAAUL,EAAI,WAAYA,EAAI,MAAM,CAAC,CACpD,EAEAA,EAAI,UAAY,IAAK,CACjB,KAAK,QAAQ,IAAIM,EAAS,QAAS,4BAA4B,EAC/DP,EAAO,IAAIQ,CAAc,CAC7B,EAEAP,EAAI,KAAKJ,EAAQ,OAAO,CAC5B,CAAC,EAnEU,QAAQ,OAAO,IAAI,MAAM,iBAAiB,CAAC,EAH3C,QAAQ,OAAO,IAAI,MAAM,oBAAoB,CAAC,CAuE7D,GCpFE,IAAOY,GAAP,cAAiCC,CAAU,CAI7C,YAAmBC,EAAe,CAG9B,GAFA,MAAK,EAED,OAAO,MAAU,KAAeC,EAAS,OACzC,KAAK,YAAc,IAAIC,GAAgBF,CAAM,UACtC,OAAO,eAAmB,IACjC,KAAK,YAAc,IAAIG,GAAcH,CAAM,MAE3C,OAAM,IAAI,MAAM,6BAA6B,CAErD,CAGO,KAAKI,EAAoB,CAE5B,OAAIA,EAAQ,aAAeA,EAAQ,YAAY,QACpC,QAAQ,OAAO,IAAIC,CAAY,EAGrCD,EAAQ,OAGRA,EAAQ,IAIN,KAAK,YAAY,KAAKA,CAAO,EAHzB,QAAQ,OAAO,IAAI,MAAM,iBAAiB,CAAC,EAH3C,QAAQ,OAAO,IAAI,MAAM,oBAAoB,CAAC,CAO7D,CAEO,gBAAgBE,EAAW,CAC9B,OAAO,KAAK,YAAY,gBAAgBA,CAAG,CAC/C,GCzCE,IAAOC,EAAP,KAAwB,CAInB,OAAO,MAAMC,EAAc,CAC9B,MAAO,GAAGA,IAASD,EAAkB,iBACzC,CAEO,OAAO,MAAME,EAAa,CAC7B,GAAIA,EAAMA,EAAM,OAAS,CAAC,IAAMF,EAAkB,gBAC9C,MAAM,IAAI,MAAM,wBAAwB,EAG5C,IAAMG,EAAWD,EAAM,MAAMF,EAAkB,eAAe,EAC9D,OAAAG,EAAS,IAAG,EACLA,CACX,GAfcH,EAAA,oBAAsB,GACtBA,EAAA,gBAAkB,OAAO,aAAaA,EAAkB,mBAAmB,ECYvF,IAAOI,GAAP,KAAwB,CAEnB,sBAAsBC,EAAyC,CAClE,OAAOC,EAAkB,MAAM,KAAK,UAAUD,CAAgB,CAAC,CACnE,CAEO,uBAAuBE,EAAS,CACnC,IAAIC,EACAC,EAEJ,GAAIC,EAAcH,CAAI,EAAG,CAErB,IAAMI,EAAa,IAAI,WAAWJ,CAAI,EAChCK,EAAiBD,EAAW,QAAQL,EAAkB,mBAAmB,EAC/E,GAAIM,IAAmB,GACnB,MAAM,IAAI,MAAM,wBAAwB,EAK5C,IAAMC,EAAiBD,EAAiB,EACxCJ,EAAc,OAAO,aAAa,MAAM,KAAM,MAAM,UAAU,MAAM,KAAKG,EAAW,MAAM,EAAGE,CAAc,CAAC,CAAC,EAC7GJ,EAAiBE,EAAW,WAAaE,EAAkBF,EAAW,MAAME,CAAc,EAAE,OAAS,SAClG,CACH,IAAMC,EAAmBP,EACnBK,EAAiBE,EAAS,QAAQR,EAAkB,eAAe,EACzE,GAAIM,IAAmB,GACnB,MAAM,IAAI,MAAM,wBAAwB,EAK5C,IAAMC,EAAiBD,EAAiB,EACxCJ,EAAcM,EAAS,UAAU,EAAGD,CAAc,EAClDJ,EAAiBK,EAAS,OAASD,EAAkBC,EAAS,UAAUD,CAAc,EAAI,KAI9F,IAAME,EAAWT,EAAkB,MAAME,CAAW,EAC9CQ,EAAW,KAAK,MAAMD,EAAS,CAAC,CAAC,EACvC,GAAIC,EAAS,KACT,MAAM,IAAI,MAAM,gDAAgD,EAMpE,MAAO,CAACP,EAJ0CO,CAIZ,CAC1C,GC5DJ,IAAYC,GAAZ,SAAYA,EAAW,CAEnBA,EAAAA,EAAA,WAAA,CAAA,EAAA,aAEAA,EAAAA,EAAA,WAAA,CAAA,EAAA,aAEAA,EAAAA,EAAA,WAAA,CAAA,EAAA,aAEAA,EAAAA,EAAA,iBAAA,CAAA,EAAA,mBAEAA,EAAAA,EAAA,iBAAA,CAAA,EAAA,mBAEAA,EAAAA,EAAA,KAAA,CAAA,EAAA,OAEAA,EAAAA,EAAA,MAAA,CAAA,EAAA,OACJ,GAfYA,IAAAA,EAAW,CAAA,EAAA,ECAjB,IAAOC,GAAP,KAAc,CAOhB,aAAA,CACI,KAAK,UAAY,CAAA,CACrB,CAEO,KAAKC,EAAO,CACf,QAAWC,KAAY,KAAK,UACxBA,EAAS,KAAKD,CAAI,CAE1B,CAEO,MAAME,EAAQ,CACjB,QAAWD,KAAY,KAAK,UACpBA,EAAS,OACTA,EAAS,MAAMC,CAAG,CAG9B,CAEO,UAAQ,CACX,QAAWD,KAAY,KAAK,UACpBA,EAAS,UACTA,EAAS,SAAQ,CAG7B,CAEO,UAAUA,EAA8B,CAC3C,YAAK,UAAU,KAAKA,CAAQ,EACrB,IAAIE,GAAoB,KAAMF,CAAQ,CACjD,GC9BJ,IAAMG,GAAgC,GAAK,IACrCC,GAAsC,GAAK,IAGrCC,GAAZ,SAAYA,EAAkB,CAE1BA,EAAA,aAAA,eAEAA,EAAA,WAAA,aAEAA,EAAA,UAAA,YAEAA,EAAA,cAAA,gBAEAA,EAAA,aAAA,cACJ,GAXYA,IAAAA,EAAkB,CAAA,EAAA,EAcxB,IAAOC,EAAP,KAAoB,CAmEtB,YAAoBC,EAAyBC,EAAiBC,EAAwBC,EAA8B,CAvC5G,KAAA,eAAyB,EASzB,KAAA,qBAAuB,IAAK,CAEhC,KAAK,QAAQ,IAAIC,EAAS,QAAS,sNAAsN,CAC7P,EA4BIC,EAAI,WAAWL,EAAY,YAAY,EACvCK,EAAI,WAAWJ,EAAQ,QAAQ,EAC/BI,EAAI,WAAWH,EAAU,UAAU,EAEnC,KAAK,4BAA8BN,GACnC,KAAK,gCAAkCC,GAEvC,KAAK,QAAUI,EACf,KAAK,UAAYC,EACjB,KAAK,WAAaF,EAClB,KAAK,iBAAmBG,EACxB,KAAK,mBAAqB,IAAIG,GAE9B,KAAK,WAAW,UAAaC,GAAc,KAAK,qBAAqBA,CAAI,EACzE,KAAK,WAAW,QAAWC,GAAkB,KAAK,kBAAkBA,CAAK,EAEzE,KAAK,WAAa,CAAA,EAClB,KAAK,SAAW,CAAA,EAChB,KAAK,iBAAmB,CAAA,EACxB,KAAK,uBAAyB,CAAA,EAC9B,KAAK,sBAAwB,CAAA,EAC7B,KAAK,cAAgB,EACrB,KAAK,2BAA6B,GAClC,KAAK,iBAAmBV,EAAmB,aAC3C,KAAK,mBAAqB,GAE1B,KAAK,mBAAqB,KAAK,UAAU,aAAa,CAAE,KAAMW,EAAY,IAAI,CAAE,CACpF,CAhCO,OAAO,OAAOT,EAAyBC,EAAiBC,EAAwBC,EAA8B,CACjH,OAAO,IAAIJ,EAAcC,EAAYC,EAAQC,EAAUC,CAAe,CAC1E,CAiCA,IAAI,OAAK,CACL,OAAO,KAAK,gBAChB,CAKA,IAAI,cAAY,CACZ,OAAO,KAAK,YAAc,KAAK,WAAW,cAAgB,IAC9D,CAGA,IAAI,SAAO,CACP,OAAO,KAAK,WAAW,SAAW,EACtC,CAOA,IAAI,QAAQO,EAAW,CACnB,GAAI,KAAK,mBAAqBZ,EAAmB,cAAgB,KAAK,mBAAqBA,EAAmB,aAC1G,MAAM,IAAI,MAAM,wFAAwF,EAG5G,GAAI,CAACY,EACD,MAAM,IAAI,MAAM,4CAA4C,EAGhE,KAAK,WAAW,QAAUA,CAC9B,CAMO,OAAK,CACR,YAAK,cAAgB,KAAK,2BAA0B,EAC7C,KAAK,aAChB,CAEQ,MAAM,4BAA0B,CACpC,GAAI,KAAK,mBAAqBZ,EAAmB,aAC7C,OAAO,QAAQ,OAAO,IAAI,MAAM,uEAAuE,CAAC,EAG5G,KAAK,iBAAmBA,EAAmB,WAC3C,KAAK,QAAQ,IAAIM,EAAS,MAAO,yBAAyB,EAE1D,GAAI,CACA,MAAM,KAAK,eAAc,EAErBO,EAAS,WAET,OAAO,SAAS,iBAAiB,SAAU,KAAK,oBAAoB,EAGxE,KAAK,iBAAmBb,EAAmB,UAC3C,KAAK,mBAAqB,GAC1B,KAAK,QAAQ,IAAIM,EAAS,MAAO,uCAAuC,QACnE,EAAP,CACE,YAAK,iBAAmBN,EAAmB,aAC3C,KAAK,QAAQ,IAAIM,EAAS,MAAO,gEAAgE,KAAK,EAC/F,QAAQ,OAAO,CAAC,EAE/B,CAEQ,MAAM,gBAAc,CACxB,KAAK,sBAAwB,OAC7B,KAAK,2BAA6B,GAElC,IAAMQ,EAAmB,IAAI,QAAQ,CAACC,EAASC,IAAU,CACrD,KAAK,mBAAqBD,EAC1B,KAAK,mBAAqBC,CAC9B,CAAC,EAED,MAAM,KAAK,WAAW,MAAM,KAAK,UAAU,cAAc,EAEzD,GAAI,CACA,IAAMC,EAA4C,CAC9C,SAAU,KAAK,UAAU,KACzB,QAAS,KAAK,UAAU,SAmB5B,GAhBA,KAAK,QAAQ,IAAIX,EAAS,MAAO,4BAA4B,EAE7D,MAAM,KAAK,aAAa,KAAK,mBAAmB,sBAAsBW,CAAgB,CAAC,EAEvF,KAAK,QAAQ,IAAIX,EAAS,YAAa,sBAAsB,KAAK,UAAU,QAAQ,EAGpF,KAAK,gBAAe,EACpB,KAAK,oBAAmB,EACxB,KAAK,wBAAuB,EAE5B,MAAMQ,EAKF,KAAK,sBAKL,MAAM,KAAK,sBAGV,KAAK,WAAW,SAAS,mBAC1B,MAAM,KAAK,aAAa,KAAK,kBAAkB,QAE9CI,EAAP,CACE,WAAK,QAAQ,IAAIZ,EAAS,MAAO,oCAAoCY,4CAA4C,EAEjH,KAAK,gBAAe,EACpB,KAAK,kBAAiB,EAItB,MAAM,KAAK,WAAW,KAAKA,CAAC,EACtBA,EAEd,CAMO,MAAM,MAAI,CAEb,IAAMC,EAAe,KAAK,cAE1B,KAAK,aAAe,KAAK,cAAa,EACtC,MAAM,KAAK,aAEX,GAAI,CAEA,MAAMA,OACR,EAGN,CAEQ,cAAcT,EAAa,CAC/B,OAAI,KAAK,mBAAqBV,EAAmB,cAC7C,KAAK,QAAQ,IAAIM,EAAS,MAAO,8BAA8BI,6DAAiE,EACzH,QAAQ,QAAO,GAGtB,KAAK,mBAAqBV,EAAmB,eAC7C,KAAK,QAAQ,IAAIM,EAAS,MAAO,+BAA+BI,0EAA8E,EACvI,KAAK,eAGhB,KAAK,iBAAmBV,EAAmB,cAE3C,KAAK,QAAQ,IAAIM,EAAS,MAAO,yBAAyB,EAEtD,KAAK,uBAIL,KAAK,QAAQ,IAAIA,EAAS,MAAO,+DAA+D,EAEhG,aAAa,KAAK,qBAAqB,EACvC,KAAK,sBAAwB,OAE7B,KAAK,eAAc,EACZ,QAAQ,QAAO,IAG1B,KAAK,gBAAe,EACpB,KAAK,kBAAiB,EACtB,KAAK,sBAAwBI,GAAS,IAAIU,EAAW,qEAAqE,EAKnH,KAAK,WAAW,KAAKV,CAAK,GACrC,CASO,OAAgBW,KAAuBC,EAAW,CACrD,GAAM,CAACC,EAASC,CAAS,EAAI,KAAK,wBAAwBF,CAAI,EACxDG,EAAuB,KAAK,wBAAwBJ,EAAYC,EAAME,CAAS,EAGjFE,EAEEC,EAAU,IAAIC,GACpB,OAAAD,EAAQ,eAAiB,IAAK,CAC1B,IAAME,EAA4C,KAAK,wBAAwBJ,EAAqB,YAAY,EAEhH,cAAO,KAAK,WAAWA,EAAqB,YAAY,EAEjDC,EAAa,KAAK,IACd,KAAK,kBAAkBG,CAAgB,CACjD,CACL,EAEA,KAAK,WAAWJ,EAAqB,YAAY,EAAI,CAACK,EAA+DpB,IAAiB,CAClI,GAAIA,EAAO,CACPiB,EAAQ,MAAMjB,CAAK,EACnB,YACOoB,IAEHA,EAAgB,OAASnB,EAAY,WACjCmB,EAAgB,MAChBH,EAAQ,MAAM,IAAI,MAAMG,EAAgB,KAAK,CAAC,EAE9CH,EAAQ,SAAQ,EAGpBA,EAAQ,KAAMG,EAAgB,IAAU,EAGpD,EAEAJ,EAAe,KAAK,kBAAkBD,CAAoB,EACrD,MAAOP,GAAK,CACTS,EAAQ,MAAMT,CAAC,EACf,OAAO,KAAK,WAAWO,EAAqB,YAAY,CAC5D,CAAC,EAEL,KAAK,eAAeF,EAASG,CAAY,EAElCC,CACX,CAEQ,aAAaI,EAAY,CAC7B,YAAK,wBAAuB,EACrB,KAAK,WAAW,KAAKA,CAAO,CACvC,CAMQ,kBAAkBA,EAAY,CAClC,OAAO,KAAK,aAAa,KAAK,UAAU,aAAaA,CAAO,CAAC,CACjE,CAWO,KAAKV,KAAuBC,EAAW,CAC1C,GAAM,CAACC,EAASC,CAAS,EAAI,KAAK,wBAAwBF,CAAI,EACxDU,EAAc,KAAK,kBAAkB,KAAK,kBAAkBX,EAAYC,EAAM,GAAME,CAAS,CAAC,EAEpG,YAAK,eAAeD,EAASS,CAAW,EAEjCA,CACX,CAaO,OAAgBX,KAAuBC,EAAW,CACrD,GAAM,CAACC,EAASC,CAAS,EAAI,KAAK,wBAAwBF,CAAI,EACxDG,EAAuB,KAAK,kBAAkBJ,EAAYC,EAAM,GAAOE,CAAS,EAgCtF,OA9BU,IAAI,QAAa,CAACT,EAASC,IAAU,CAE3C,KAAK,WAAWS,EAAqB,YAAa,EAAI,CAACK,EAA+DpB,IAAiB,CACnI,GAAIA,EAAO,CACPM,EAAON,CAAK,EACZ,YACOoB,IAEHA,EAAgB,OAASnB,EAAY,WACjCmB,EAAgB,MAChBd,EAAO,IAAI,MAAMc,EAAgB,KAAK,CAAC,EAEvCf,EAAQe,EAAgB,MAAM,EAGlCd,EAAO,IAAI,MAAM,4BAA4Bc,EAAgB,MAAM,CAAC,EAGhF,EAEA,IAAMJ,EAAe,KAAK,kBAAkBD,CAAoB,EAC3D,MAAOP,GAAK,CACTF,EAAOE,CAAC,EAER,OAAO,KAAK,WAAWO,EAAqB,YAAa,CAC7D,CAAC,EAEL,KAAK,eAAeF,EAASG,CAAY,CAC7C,CAAC,CAGL,CAQO,GAAGL,EAAoBY,EAAmC,CACzD,CAACZ,GAAc,CAACY,IAIpBZ,EAAaA,EAAW,YAAW,EAC9B,KAAK,SAASA,CAAU,IACzB,KAAK,SAASA,CAAU,EAAI,CAAA,GAI5B,KAAK,SAASA,CAAU,EAAE,QAAQY,CAAS,IAAM,IAIrD,KAAK,SAASZ,CAAU,EAAE,KAAKY,CAAS,EAC5C,CAiBO,IAAIZ,EAAoBa,EAAiC,CAC5D,GAAI,CAACb,EACD,OAGJA,EAAaA,EAAW,YAAW,EACnC,IAAMc,EAAW,KAAK,SAASd,CAAU,EACzC,GAAKc,EAGL,GAAID,EAAQ,CACR,IAAME,EAAYD,EAAS,QAAQD,CAAM,EACrCE,IAAc,KACdD,EAAS,OAAOC,EAAW,CAAC,EACxBD,EAAS,SAAW,GACpB,OAAO,KAAK,SAASd,CAAU,QAIvC,OAAO,KAAK,SAASA,CAAU,CAGvC,CAMO,QAAQgB,EAAiC,CACxCA,GACA,KAAK,iBAAiB,KAAKA,CAAQ,CAE3C,CAMO,eAAeA,EAAiC,CAC/CA,GACA,KAAK,uBAAuB,KAAKA,CAAQ,CAEjD,CAMO,cAAcA,EAAyC,CACtDA,GACA,KAAK,sBAAsB,KAAKA,CAAQ,CAEhD,CAEQ,qBAAqB5B,EAAS,CASlC,GARA,KAAK,gBAAe,EAEf,KAAK,6BACNA,EAAO,KAAK,0BAA0BA,CAAI,EAC1C,KAAK,2BAA6B,IAIlCA,EAAM,CAEN,IAAM6B,EAAW,KAAK,UAAU,cAAc7B,EAAM,KAAK,OAAO,EAEhE,QAAWsB,KAAWO,EAClB,OAAQP,EAAQ,KAAM,CAClB,KAAKpB,EAAY,WAEb,KAAK,oBAAoBoB,CAAO,EAChC,MACJ,KAAKpB,EAAY,WACjB,KAAKA,EAAY,WAAY,CACzB,IAAM0B,EAAW,KAAK,WAAWN,EAAQ,YAAY,EACrD,GAAIM,EAAU,CACNN,EAAQ,OAASpB,EAAY,YAC7B,OAAO,KAAK,WAAWoB,EAAQ,YAAY,EAE/C,GAAI,CACAM,EAASN,CAAO,QACXb,EAAP,CACE,KAAK,QAAQ,IAAIZ,EAAS,MAAO,gCAAgCiC,GAAerB,CAAC,GAAG,GAG5F,MAEJ,KAAKP,EAAY,KAEb,MACJ,KAAKA,EAAY,MAAO,CACpB,KAAK,QAAQ,IAAIL,EAAS,YAAa,qCAAqC,EAE5E,IAAMI,EAAQqB,EAAQ,MAAQ,IAAI,MAAM,sCAAwCA,EAAQ,KAAK,EAAI,OAE7FA,EAAQ,iBAAmB,GAK3B,KAAK,WAAW,KAAKrB,CAAK,EAG1B,KAAK,aAAe,KAAK,cAAcA,CAAK,EAGhD,MAEJ,QACI,KAAK,QAAQ,IAAIJ,EAAS,QAAS,yBAAyByB,EAAQ,OAAO,EAC3E,OAKhB,KAAK,oBAAmB,CAC5B,CAEQ,0BAA0BtB,EAAS,CACvC,IAAI+B,EACAC,EAEJ,GAAI,CACA,CAACA,EAAeD,CAAe,EAAI,KAAK,mBAAmB,uBAAuB/B,CAAI,QACjFS,EAAP,CACE,IAAMa,EAAU,qCAAuCb,EACvD,KAAK,QAAQ,IAAIZ,EAAS,MAAOyB,CAAO,EAExC,IAAMrB,EAAQ,IAAI,MAAMqB,CAAO,EAC/B,WAAK,mBAAmBrB,CAAK,EACvBA,EAEV,GAAI8B,EAAgB,MAAO,CACvB,IAAMT,EAAU,oCAAsCS,EAAgB,MACtE,KAAK,QAAQ,IAAIlC,EAAS,MAAOyB,CAAO,EAExC,IAAMrB,EAAQ,IAAI,MAAMqB,CAAO,EAC/B,WAAK,mBAAmBrB,CAAK,EACvBA,OAEN,KAAK,QAAQ,IAAIJ,EAAS,MAAO,4BAA4B,EAGjE,YAAK,mBAAkB,EAChBmC,CACX,CAEQ,yBAAuB,CACvB,KAAK,WAAW,SAAS,oBAM7B,KAAK,eAAiB,IAAI,KAAI,EAAG,QAAO,EAAK,KAAK,gCAElD,KAAK,kBAAiB,EAC1B,CAEQ,qBAAmB,CACvB,IAAI,CAAC,KAAK,WAAW,UAAY,CAAC,KAAK,WAAW,SAAS,qBAEvD,KAAK,eAAiB,WAAW,IAAM,KAAK,cAAa,EAAI,KAAK,2BAA2B,EAGzF,KAAK,oBAAsB,QAC/B,CACI,IAAIC,EAAW,KAAK,eAAiB,IAAI,KAAI,EAAG,QAAO,EACnDA,EAAW,IACXA,EAAW,GAIf,KAAK,kBAAoB,WAAW,SAAW,CAC3C,GAAI,KAAK,mBAAqB1C,EAAmB,UAC7C,GAAI,CACA,MAAM,KAAK,aAAa,KAAK,kBAAkB,OACjD,CAGE,KAAK,kBAAiB,EAGlC,EAAG0C,CAAQ,EAGvB,CAGQ,eAAa,CAIjB,KAAK,WAAW,KAAK,IAAI,MAAM,qEAAqE,CAAC,CACzG,CAEQ,MAAM,oBAAoBC,EAAoC,CAClE,IAAMtB,EAAasB,EAAkB,OAAO,YAAW,EACjDC,EAAU,KAAK,SAASvB,CAAU,EACxC,GAAI,CAACuB,EAAS,CACV,KAAK,QAAQ,IAAItC,EAAS,QAAS,mCAAmCe,WAAoB,EAGtFsB,EAAkB,eAClB,KAAK,QAAQ,IAAIrC,EAAS,QAAS,wBAAwBe,gCAAyCsB,EAAkB,gBAAgB,EACtI,MAAM,KAAK,kBAAkB,KAAK,yBAAyBA,EAAkB,aAAc,kCAAmC,IAAI,CAAC,GAEvI,OAIJ,IAAME,EAAcD,EAAQ,MAAK,EAG3BE,EAAkB,EAAAH,EAAkB,aAEtCI,EACAC,EACAC,EACJ,QAAWC,KAAKL,EACZ,GAAI,CACA,IAAMM,EAAUJ,EAChBA,EAAM,MAAMG,EAAE,MAAM,KAAMP,EAAkB,SAAS,EACjDG,GAAmBC,GAAOI,IAC1B,KAAK,QAAQ,IAAI7C,EAAS,MAAO,kCAAkCe,8BAAuC,EAC1G4B,EAAoB,KAAK,yBAAyBN,EAAkB,aAAe,oCAAqC,IAAI,GAGhIK,EAAY,aACP9B,EAAP,CACE8B,EAAY9B,EACZ,KAAK,QAAQ,IAAIZ,EAAS,MAAO,8BAA8Be,mBAA4BH,KAAK,EAGpG+B,EACA,MAAM,KAAK,kBAAkBA,CAAiB,EACvCH,GAEHE,EACAC,EAAoB,KAAK,yBAAyBN,EAAkB,aAAe,GAAGK,IAAa,IAAI,EAChGD,IAAQ,OACfE,EAAoB,KAAK,yBAAyBN,EAAkB,aAAe,KAAMI,CAAG,GAE5F,KAAK,QAAQ,IAAIzC,EAAS,QAAS,wBAAwBe,gCAAyCsB,EAAkB,gBAAgB,EAEtIM,EAAoB,KAAK,yBAAyBN,EAAkB,aAAe,kCAAmC,IAAI,GAE9H,MAAM,KAAK,kBAAkBM,CAAiB,GAE1CF,GACA,KAAK,QAAQ,IAAIzC,EAAS,MAAO,qBAAqBe,iDAA0D,CAG5H,CAEQ,kBAAkBX,EAAa,CACnC,KAAK,QAAQ,IAAIJ,EAAS,MAAO,kCAAkCI,4BAAgC,KAAK,mBAAmB,EAG3H,KAAK,sBAAwB,KAAK,uBAAyBA,GAAS,IAAIU,EAAW,+EAA+E,EAI9J,KAAK,oBACL,KAAK,mBAAkB,EAG3B,KAAK,0BAA0BV,GAAS,IAAI,MAAM,oEAAoE,CAAC,EAEvH,KAAK,gBAAe,EACpB,KAAK,kBAAiB,EAElB,KAAK,mBAAqBV,EAAmB,cAC7C,KAAK,eAAeU,CAAK,EAClB,KAAK,mBAAqBV,EAAmB,WAAa,KAAK,iBAEtE,KAAK,WAAWU,CAAK,EACd,KAAK,mBAAqBV,EAAmB,WACpD,KAAK,eAAeU,CAAK,CAQjC,CAEQ,eAAeA,EAAa,CAChC,GAAI,KAAK,mBAAoB,CACzB,KAAK,iBAAmBV,EAAmB,aAC3C,KAAK,mBAAqB,GAEtBa,EAAS,WACT,OAAO,SAAS,oBAAoB,SAAU,KAAK,oBAAoB,EAG3E,GAAI,CACA,KAAK,iBAAiB,QAASuC,GAAMA,EAAE,MAAM,KAAM,CAAC1C,CAAK,CAAC,CAAC,QACtDQ,EAAP,CACE,KAAK,QAAQ,IAAIZ,EAAS,MAAO,0CAA0CI,mBAAuBQ,KAAK,GAGnH,CAEQ,MAAM,WAAWR,EAAa,CAClC,IAAM2C,EAAqB,KAAK,IAAG,EAC/BC,EAA4B,EAC5BC,EAAa7C,IAAU,OAAYA,EAAQ,IAAI,MAAM,iDAAiD,EAEtG8C,EAAiB,KAAK,mBAAmBF,IAA6B,EAAGC,CAAU,EAEvF,GAAIC,IAAmB,KAAM,CACzB,KAAK,QAAQ,IAAIlD,EAAS,MAAO,oGAAoG,EACrI,KAAK,eAAeI,CAAK,EACzB,OAWJ,GARA,KAAK,iBAAmBV,EAAmB,aAEvCU,EACA,KAAK,QAAQ,IAAIJ,EAAS,YAAa,6CAA6CI,KAAS,EAE7F,KAAK,QAAQ,IAAIJ,EAAS,YAAa,0BAA0B,EAGjE,KAAK,uBAAuB,SAAW,EAAG,CAC1C,GAAI,CACA,KAAK,uBAAuB,QAAS8C,GAAMA,EAAE,MAAM,KAAM,CAAC1C,CAAK,CAAC,CAAC,QAC5DQ,EAAP,CACE,KAAK,QAAQ,IAAIZ,EAAS,MAAO,iDAAiDI,mBAAuBQ,KAAK,EAIlH,GAAI,KAAK,mBAAqBlB,EAAmB,aAAc,CAC3D,KAAK,QAAQ,IAAIM,EAAS,MAAO,uFAAuF,EACxH,QAIR,KAAOkD,IAAmB,MAAM,CAQ5B,GAPA,KAAK,QAAQ,IAAIlD,EAAS,YAAa,4BAA4BgD,mBAA2CE,OAAoB,EAElI,MAAM,IAAI,QAASzC,GAAW,CAC1B,KAAK,sBAAwB,WAAWA,EAASyC,CAAe,CACpE,CAAC,EACD,KAAK,sBAAwB,OAEzB,KAAK,mBAAqBxD,EAAmB,aAAc,CAC3D,KAAK,QAAQ,IAAIM,EAAS,MAAO,mFAAmF,EACpH,OAGJ,GAAI,CAMA,GALA,MAAM,KAAK,eAAc,EAEzB,KAAK,iBAAmBN,EAAmB,UAC3C,KAAK,QAAQ,IAAIM,EAAS,YAAa,yCAAyC,EAE5E,KAAK,sBAAsB,SAAW,EACtC,GAAI,CACA,KAAK,sBAAsB,QAAS8C,GAAMA,EAAE,MAAM,KAAM,CAAC,KAAK,WAAW,YAAY,CAAC,CAAC,QAClFlC,EAAP,CACE,KAAK,QAAQ,IAAIZ,EAAS,MAAO,uDAAuD,KAAK,WAAW,8BAA8BY,KAAK,EAInJ,aACKA,EAAP,CAGE,GAFA,KAAK,QAAQ,IAAIZ,EAAS,YAAa,8CAA8CY,KAAK,EAEtF,KAAK,mBAAqBlB,EAAmB,aAAc,CAC3D,KAAK,QAAQ,IAAIM,EAAS,MAAO,4BAA4B,KAAK,4FAA4F,EAE1J,KAAK,mBAA4BN,EAAmB,eACpD,KAAK,eAAc,EAEvB,OAGJuD,EAAarC,aAAa,MAAQA,EAAI,IAAI,MAAMA,EAAE,SAAQ,CAAE,EAC5DsC,EAAiB,KAAK,mBAAmBF,IAA6B,KAAK,IAAG,EAAKD,EAAoBE,CAAU,GAIzH,KAAK,QAAQ,IAAIjD,EAAS,YAAa,+CAA+C,KAAK,IAAG,EAAK+C,YAA6BC,8CAAsE,EAEtM,KAAK,eAAc,CACvB,CAEQ,mBAAmBG,EAA4BC,EAA6BC,EAAkB,CAClG,GAAI,CACA,OAAO,KAAK,iBAAkB,6BAA6B,CACvD,oBAAAD,EACA,mBAAAD,EACA,YAAAE,EACH,QACIzC,EAAP,CACE,YAAK,QAAQ,IAAIZ,EAAS,MAAO,6CAA6CmD,MAAuBC,mBAAqCxC,KAAK,EACxI,KAEf,CAEQ,0BAA0BR,EAAY,CAC1C,IAAMkD,EAAY,KAAK,WACvB,KAAK,WAAa,CAAA,EAElB,OAAO,KAAKA,CAAS,EAChB,QAASC,GAAO,CACb,IAAMxB,EAAWuB,EAAUC,CAAG,EAC9B,GAAI,CACAxB,EAAS,KAAM3B,CAAK,QACfQ,EAAP,CACE,KAAK,QAAQ,IAAIZ,EAAS,MAAO,wCAAwCI,mBAAuB6B,GAAerB,CAAC,GAAG,EAE3H,CAAC,CACT,CAEQ,mBAAiB,CACjB,KAAK,oBACL,aAAa,KAAK,iBAAiB,EACnC,KAAK,kBAAoB,OAEjC,CAEQ,iBAAe,CACf,KAAK,gBACL,aAAa,KAAK,cAAc,CAExC,CAEQ,kBAAkBG,EAAoBC,EAAawC,EAAsBtC,EAAmB,CAChG,GAAIsC,EACA,OAAItC,EAAU,SAAW,EACd,CACH,UAAWF,EACX,UAAAE,EACA,OAAQH,EACR,KAAMV,EAAY,YAGf,CACH,UAAWW,EACX,OAAQD,EACR,KAAMV,EAAY,YAGvB,CACH,IAAMoD,EAAe,KAAK,cAG1B,OAFA,KAAK,gBAEDvC,EAAU,SAAW,EACd,CACH,UAAWF,EACX,aAAcyC,EAAa,SAAQ,EACnC,UAAAvC,EACA,OAAQH,EACR,KAAMV,EAAY,YAGf,CACH,UAAWW,EACX,aAAcyC,EAAa,SAAQ,EACnC,OAAQ1C,EACR,KAAMV,EAAY,YAIlC,CAEQ,eAAeY,EAA+BG,EAA2B,CAC7E,GAAIH,EAAQ,SAAW,EAKvB,CAAKG,IACDA,EAAe,QAAQ,QAAO,GAKlC,QAAWsC,KAAYzC,EACnBA,EAAQyC,CAAQ,EAAE,UAAU,CACxB,SAAU,IAAK,CACXtC,EAAeA,EAAa,KAAK,IAAM,KAAK,kBAAkB,KAAK,yBAAyBsC,CAAQ,CAAC,CAAC,CAC1G,EACA,MAAQC,GAAO,CACX,IAAIlC,EACAkC,aAAe,MACflC,EAAUkC,EAAI,QACPA,GAAOA,EAAI,SAClBlC,EAAUkC,EAAI,SAAQ,EAEtBlC,EAAU,gBAGdL,EAAeA,EAAa,KAAK,IAAM,KAAK,kBAAkB,KAAK,yBAAyBsC,EAAUjC,CAAO,CAAC,CAAC,CACnH,EACA,KAAOmC,GAAQ,CACXxC,EAAeA,EAAa,KAAK,IAAM,KAAK,kBAAkB,KAAK,yBAAyBsC,EAAUE,CAAI,CAAC,CAAC,CAChH,EACH,EAET,CAEQ,wBAAwB5C,EAAW,CACvC,IAAMC,EAAgC,CAAA,EAChCC,EAAsB,CAAA,EAC5B,QAAS2C,EAAI,EAAGA,EAAI7C,EAAK,OAAQ6C,IAAK,CAClC,IAAMC,EAAW9C,EAAK6C,CAAC,EACvB,GAAI,KAAK,cAAcC,CAAQ,EAAG,CAC9B,IAAMJ,EAAW,KAAK,cACtB,KAAK,gBAELzC,EAAQyC,CAAQ,EAAII,EACpB5C,EAAU,KAAKwC,EAAS,SAAQ,CAAE,EAGlC1C,EAAK,OAAO6C,EAAG,CAAC,GAIxB,MAAO,CAAC5C,EAASC,CAAS,CAC9B,CAEQ,cAAc6C,EAAQ,CAE1B,OAAOA,GAAOA,EAAI,WAAa,OAAOA,EAAI,WAAc,UAC5D,CAEQ,wBAAwBhD,EAAoBC,EAAaE,EAAmB,CAChF,IAAMuC,EAAe,KAAK,cAG1B,OAFA,KAAK,gBAEDvC,EAAU,SAAW,EACd,CACH,UAAWF,EACX,aAAcyC,EAAa,SAAQ,EACnC,UAAAvC,EACA,OAAQH,EACR,KAAMV,EAAY,kBAGf,CACH,UAAWW,EACX,aAAcyC,EAAa,SAAQ,EACnC,OAAQ1C,EACR,KAAMV,EAAY,iBAG9B,CAEQ,wBAAwB2D,EAAU,CACtC,MAAO,CACH,aAAcA,EACd,KAAM3D,EAAY,iBAE1B,CAEQ,yBAAyB2D,EAAYJ,EAAS,CAClD,MAAO,CACH,aAAcI,EACd,KAAAJ,EACA,KAAMvD,EAAY,WAE1B,CAEQ,yBAAyB2D,EAAY5D,EAAa6D,EAAY,CAClE,OAAI7D,EACO,CACH,MAAAA,EACA,aAAc4D,EACd,KAAM3D,EAAY,YAInB,CACH,aAAc2D,EACd,OAAAC,EACA,KAAM5D,EAAY,WAE1B,GCpiCJ,IAAM6D,GAAuC,CAAC,EAAG,IAAM,IAAO,IAAO,IAAI,EAG5DC,EAAP,KAA6B,CAG/B,YAAYC,EAAsB,CAC9B,KAAK,aAAeA,IAAgB,OAAY,CAAC,GAAGA,EAAa,IAAI,EAAIF,EAC7E,CAEO,6BAA6BG,EAA0B,CAC1D,OAAO,KAAK,aAAaA,EAAa,kBAAkB,CAC5D,GCfE,IAAgBC,EAAhB,KAA2B,GACbA,EAAA,cAAgB,gBAChBA,EAAA,OAAS,SCEvB,IAAOC,GAAP,cAAqCC,CAAU,CAKjD,YAAYC,EAAyBC,EAAgE,CACjG,MAAK,EAEL,KAAK,aAAeD,EACpB,KAAK,oBAAsBC,CAC/B,CAEO,MAAM,KAAKC,EAAoB,CAClC,IAAIC,EAAa,GACb,KAAK,sBAAwB,CAAC,KAAK,cAAiBD,EAAQ,KAAOA,EAAQ,IAAI,QAAQ,aAAa,EAAI,KAExGC,EAAa,GACb,KAAK,aAAe,MAAM,KAAK,oBAAmB,GAEtD,KAAK,wBAAwBD,CAAO,EACpC,IAAME,EAAW,MAAM,KAAK,aAAa,KAAKF,CAAO,EAErD,OAAIC,GAAcC,EAAS,aAAe,KAAO,KAAK,qBAClD,KAAK,aAAe,MAAM,KAAK,oBAAmB,EAClD,KAAK,wBAAwBF,CAAO,EAC7B,MAAM,KAAK,aAAa,KAAKA,CAAO,GAExCE,CACX,CAEQ,wBAAwBF,EAAoB,CAC3CA,EAAQ,UACTA,EAAQ,QAAU,CAAA,GAElB,KAAK,aACLA,EAAQ,QAAQG,EAAY,aAAa,EAAI,UAAU,KAAK,eAGvD,KAAK,qBACNH,EAAQ,QAAQG,EAAY,aAAa,GACzC,OAAOH,EAAQ,QAAQG,EAAY,aAAa,CAG5D,CAEO,gBAAgBC,EAAW,CAC9B,OAAO,KAAK,aAAa,gBAAgBA,CAAG,CAChD,GCjDJ,IAAYC,GAAZ,SAAYA,EAAiB,CAEzBA,EAAAA,EAAA,KAAA,CAAA,EAAA,OAEAA,EAAAA,EAAA,WAAA,CAAA,EAAA,aAEAA,EAAAA,EAAA,iBAAA,CAAA,EAAA,mBAEAA,EAAAA,EAAA,YAAA,CAAA,EAAA,aACJ,GATYA,IAAAA,EAAiB,CAAA,EAAA,EAY7B,IAAYC,GAAZ,SAAYA,EAAc,CAEtBA,EAAAA,EAAA,KAAA,CAAA,EAAA,OAEAA,EAAAA,EAAA,OAAA,CAAA,EAAA,QACJ,GALYA,IAAAA,EAAc,CAAA,EAAA,ECRpB,IAAOC,GAAP,KAAsB,CAA5B,aAAA,CACY,KAAA,WAAsB,GACvB,KAAA,QAA+B,IAkB1C,CAhBW,OAAK,CACH,KAAK,aACN,KAAK,WAAa,GACd,KAAK,SACL,KAAK,QAAO,EAGxB,CAEA,IAAI,QAAM,CACN,OAAO,IACX,CAEA,IAAI,SAAO,CACP,OAAO,KAAK,UAChB,GCfE,IAAOC,EAAP,KAA2B,CAmB7B,YAAYC,EAAwBC,EAAiBC,EAA+B,CAChF,KAAK,YAAcF,EACnB,KAAK,QAAUC,EACf,KAAK,WAAa,IAAIE,GACtB,KAAK,SAAWD,EAEhB,KAAK,SAAW,GAEhB,KAAK,UAAY,KACjB,KAAK,QAAU,IACnB,CAdA,IAAW,aAAW,CAClB,OAAO,KAAK,WAAW,OAC3B,CAcO,MAAM,QAAQE,EAAaC,EAA8B,CAU5D,GATAC,EAAI,WAAWF,EAAK,KAAK,EACzBE,EAAI,WAAWD,EAAgB,gBAAgB,EAC/CC,EAAI,KAAKD,EAAgBE,EAAgB,gBAAgB,EAEzD,KAAK,KAAOH,EAEZ,KAAK,QAAQ,IAAII,EAAS,MAAO,qCAAqC,EAGlEH,IAAmBE,EAAe,QACjC,OAAO,eAAmB,KAAe,OAAO,IAAI,eAAc,EAAG,cAAiB,SACvF,MAAM,IAAI,MAAM,4FAA4F,EAGhH,GAAM,CAACE,EAAMC,CAAK,EAAIC,EAAkB,EAClCC,EAAU,CAAE,CAACH,CAAI,EAAGC,EAAO,GAAG,KAAK,SAAS,OAAO,EAEnDG,EAA2B,CAC7B,YAAa,KAAK,WAAW,OAC7B,QAAAD,EACA,QAAS,IACT,gBAAiB,KAAK,SAAS,iBAG/BP,IAAmBE,EAAe,SAClCM,EAAY,aAAe,eAK/B,IAAMC,EAAU,GAAGV,OAAS,KAAK,IAAG,IACpC,KAAK,QAAQ,IAAII,EAAS,MAAO,oCAAoCM,IAAU,EAC/E,IAAMC,EAAW,MAAM,KAAK,YAAY,IAAID,EAASD,CAAW,EAC5DE,EAAS,aAAe,KACxB,KAAK,QAAQ,IAAIP,EAAS,MAAO,qDAAqDO,EAAS,aAAa,EAG5G,KAAK,YAAc,IAAIC,EAAUD,EAAS,YAAc,GAAIA,EAAS,UAAU,EAC/E,KAAK,SAAW,IAEhB,KAAK,SAAW,GAGpB,KAAK,WAAa,KAAK,MAAM,KAAK,KAAMF,CAAW,CACvD,CAEQ,MAAM,MAAMT,EAAaS,EAAwB,CACrD,GAAI,CACA,KAAO,KAAK,UACR,GAAI,CACA,IAAMC,EAAU,GAAGV,OAAS,KAAK,IAAG,IACpC,KAAK,QAAQ,IAAII,EAAS,MAAO,oCAAoCM,IAAU,EAC/E,IAAMC,EAAW,MAAM,KAAK,YAAY,IAAID,EAASD,CAAW,EAE5DE,EAAS,aAAe,KACxB,KAAK,QAAQ,IAAIP,EAAS,YAAa,oDAAoD,EAE3F,KAAK,SAAW,IACTO,EAAS,aAAe,KAC/B,KAAK,QAAQ,IAAIP,EAAS,MAAO,qDAAqDO,EAAS,aAAa,EAG5G,KAAK,YAAc,IAAIC,EAAUD,EAAS,YAAc,GAAIA,EAAS,UAAU,EAC/E,KAAK,SAAW,IAGZA,EAAS,SACT,KAAK,QAAQ,IAAIP,EAAS,MAAO,0CAA0CS,EAAcF,EAAS,QAAS,KAAK,SAAS,iBAAkB,IAAI,EAC3I,KAAK,WACL,KAAK,UAAUA,EAAS,OAAO,GAInC,KAAK,QAAQ,IAAIP,EAAS,MAAO,oDAAoD,QAGxFU,EAAP,CACO,KAAK,SAIFA,aAAaC,EAEb,KAAK,QAAQ,IAAIX,EAAS,MAAO,oDAAoD,GAGrF,KAAK,YAAcU,EACnB,KAAK,SAAW,IARpB,KAAK,QAAQ,IAAIV,EAAS,MAAO,wDAAwDU,EAAE,SAAS,WAchH,KAAK,QAAQ,IAAIV,EAAS,MAAO,2CAA2C,EAIvE,KAAK,aACN,KAAK,cAAa,EAG9B,CAEO,MAAM,KAAKY,EAAS,CACvB,OAAK,KAAK,SAGHC,GAAY,KAAK,QAAS,cAAe,KAAK,YAAa,KAAK,KAAOD,EAAM,KAAK,QAAQ,EAFtF,QAAQ,OAAO,IAAI,MAAM,8CAA8C,CAAC,CAGvF,CAEO,MAAM,MAAI,CACb,KAAK,QAAQ,IAAIZ,EAAS,MAAO,2CAA2C,EAG5E,KAAK,SAAW,GAChB,KAAK,WAAW,MAAK,EAErB,GAAI,CACA,MAAM,KAAK,WAGX,KAAK,QAAQ,IAAIA,EAAS,MAAO,qDAAqD,KAAK,OAAO,EAElG,IAAMI,EAAiC,CAAA,EACjC,CAACH,EAAMC,CAAK,EAAIC,EAAkB,EACxCC,EAAQH,CAAI,EAAIC,EAEhB,IAAMY,EAA6B,CAC/B,QAAS,CAAE,GAAGV,EAAS,GAAG,KAAK,SAAS,OAAO,EAC/C,QAAS,KAAK,SAAS,QACvB,gBAAiB,KAAK,SAAS,iBAEnC,MAAM,KAAK,YAAY,OAAO,KAAK,KAAOU,CAAa,EAEvD,KAAK,QAAQ,IAAId,EAAS,MAAO,8CAA8C,UAE/E,KAAK,QAAQ,IAAIA,EAAS,MAAO,wCAAwC,EAIzE,KAAK,cAAa,EAE1B,CAEQ,eAAa,CACjB,GAAI,KAAK,QAAS,CACd,IAAIe,EAAa,gDACb,KAAK,cACLA,GAAc,WAAa,KAAK,aAEpC,KAAK,QAAQ,IAAIf,EAAS,MAAOe,CAAU,EAC3C,KAAK,QAAQ,KAAK,WAAW,EAErC,GC3LE,IAAOC,GAAP,KAAgC,CAWlC,YAAYC,EAAwBC,EAAiCC,EACzDC,EAA+B,CACvC,KAAK,YAAcH,EACnB,KAAK,aAAeC,EACpB,KAAK,QAAUC,EACf,KAAK,SAAWC,EAEhB,KAAK,UAAY,KACjB,KAAK,QAAU,IACnB,CAEO,MAAM,QAAQC,EAAaC,EAA8B,CAC5D,OAAAC,EAAI,WAAWF,EAAK,KAAK,EACzBE,EAAI,WAAWD,EAAgB,gBAAgB,EAC/CC,EAAI,KAAKD,EAAgBE,EAAgB,gBAAgB,EAEzD,KAAK,QAAQ,IAAIC,EAAS,MAAO,6BAA6B,EAG9D,KAAK,KAAOJ,EAER,KAAK,eACLA,IAAQA,EAAI,QAAQ,GAAG,EAAI,EAAI,IAAM,KAAO,gBAAgB,mBAAmB,KAAK,YAAY,KAG7F,IAAI,QAAc,CAACK,EAASC,IAAU,CACzC,IAAIC,EAAS,GACb,GAAIN,IAAmBE,EAAe,KAAM,CACxCG,EAAO,IAAI,MAAM,2EAA2E,CAAC,EAC7F,OAGJ,IAAIE,EACJ,GAAIC,EAAS,WAAaA,EAAS,YAC/BD,EAAc,IAAI,KAAK,SAAS,YAAaR,EAAK,CAAE,gBAAiB,KAAK,SAAS,eAAe,CAAE,MACjG,CAEH,IAAMU,EAAU,KAAK,YAAY,gBAAgBV,CAAG,EAC9CW,EAA0B,CAAA,EAChCA,EAAQ,OAASD,EACjB,GAAM,CAACE,EAAMC,CAAK,EAAIC,EAAkB,EACxCH,EAAQC,CAAI,EAAIC,EAEhBL,EAAc,IAAI,KAAK,SAAS,YAAaR,EAAK,CAAE,gBAAiB,KAAK,SAAS,gBAAiB,QAAS,CAAE,GAAGW,EAAS,GAAG,KAAK,SAAS,OAAO,CAAC,CAAqB,EAG7K,GAAI,CACAH,EAAY,UAAaO,GAAmB,CACxC,GAAI,KAAK,UACL,GAAI,CACA,KAAK,QAAQ,IAAIX,EAAS,MAAO,kCAAkCY,EAAcD,EAAE,KAAM,KAAK,SAAS,iBAAkB,IAAI,EAC7H,KAAK,UAAUA,EAAE,IAAI,QAChBE,EAAP,CACE,KAAK,OAAOA,CAAK,EACjB,OAGZ,EAGAT,EAAY,QAAWO,GAAY,CAE3BR,EACA,KAAK,OAAM,EAEXD,EAAO,IAAI,MAAM,8PAEwD,CAAC,CAElF,EAEAE,EAAY,OAAS,IAAK,CACtB,KAAK,QAAQ,IAAIJ,EAAS,YAAa,oBAAoB,KAAK,MAAM,EACtE,KAAK,aAAeI,EACpBD,EAAS,GACTF,EAAO,CACX,QACKU,EAAP,CACET,EAAOS,CAAC,EACR,OAER,CAAC,CACL,CAEO,MAAM,KAAKG,EAAS,CACvB,OAAK,KAAK,aAGHC,GAAY,KAAK,QAAS,MAAO,KAAK,YAAa,KAAK,KAAOD,EAAM,KAAK,QAAQ,EAF9E,QAAQ,OAAO,IAAI,MAAM,8CAA8C,CAAC,CAGvF,CAEO,MAAI,CACP,YAAK,OAAM,EACJ,QAAQ,QAAO,CAC1B,CAEQ,OAAO,EAAS,CAChB,KAAK,eACL,KAAK,aAAa,MAAK,EACvB,KAAK,aAAe,OAEhB,KAAK,SACL,KAAK,QAAQ,CAAC,EAG1B,GCnHE,IAAOE,GAAP,KAAyB,CAY3B,YAAYC,EAAwBC,EAAkEC,EAC1FC,EAA4BC,EAA4CC,EAAuB,CACvG,KAAK,QAAUH,EACf,KAAK,oBAAsBD,EAC3B,KAAK,mBAAqBE,EAC1B,KAAK,sBAAwBC,EAC7B,KAAK,YAAcJ,EAEnB,KAAK,UAAY,KACjB,KAAK,QAAU,KACf,KAAK,SAAWK,CACpB,CAEO,MAAM,QAAQC,EAAaC,EAA8B,CAC5DC,EAAI,WAAWF,EAAK,KAAK,EACzBE,EAAI,WAAWD,EAAgB,gBAAgB,EAC/CC,EAAI,KAAKD,EAAgBE,EAAgB,gBAAgB,EACzD,KAAK,QAAQ,IAAIC,EAAS,MAAO,oCAAoC,EAErE,IAAIC,EACJ,OAAI,KAAK,sBACLA,EAAQ,MAAM,KAAK,oBAAmB,GAGnC,IAAI,QAAc,CAACC,EAASC,IAAU,CACzCP,EAAMA,EAAI,QAAQ,QAAS,IAAI,EAC/B,IAAIQ,EACEC,EAAU,KAAK,YAAY,gBAAgBT,CAAG,EAChDU,EAAS,GAEb,GAAIC,EAAS,QAAUA,EAAS,cAAe,CAC3C,IAAMZ,EAAiC,CAAA,EACjC,CAACa,EAAMC,CAAK,EAAIC,EAAkB,EACxCf,EAAQa,CAAI,EAAIC,EACZR,IACAN,EAAQgB,EAAY,aAAa,EAAI,UAAUV,KAG/CI,IACAV,EAAQgB,EAAY,MAAM,EAAIN,GAIlCD,EAAY,IAAI,KAAK,sBAAsBR,EAAK,OAAW,CACvD,QAAS,CAAE,GAAGD,EAAS,GAAG,KAAK,QAAQ,EAC1C,OAIGM,IACAL,IAAQA,EAAI,QAAQ,GAAG,EAAI,EAAI,IAAM,KAAO,gBAAgB,mBAAmBK,CAAK,KAIvFG,IAEDA,EAAY,IAAI,KAAK,sBAAsBR,CAAG,GAG9CC,IAAmBE,EAAe,SAClCK,EAAU,WAAa,eAG3BA,EAAU,OAAUQ,GAAiB,CACjC,KAAK,QAAQ,IAAIZ,EAAS,YAAa,0BAA0BJ,IAAM,EACvE,KAAK,WAAaQ,EAClBE,EAAS,GACTJ,EAAO,CACX,EAEAE,EAAU,QAAWS,GAAgB,CACjC,IAAIC,EAAa,KAEb,OAAO,WAAe,KAAeD,aAAiB,WACtDC,EAAQD,EAAM,MAEdC,EAAQ,wCAGZ,KAAK,QAAQ,IAAId,EAAS,YAAa,0BAA0Bc,IAAQ,CAC7E,EAEAV,EAAU,UAAaW,GAAyB,CAE5C,GADA,KAAK,QAAQ,IAAIf,EAAS,MAAO,yCAAyCgB,EAAcD,EAAQ,KAAM,KAAK,kBAAkB,IAAI,EAC7H,KAAK,UACL,GAAI,CACA,KAAK,UAAUA,EAAQ,IAAI,QACtBD,EAAP,CACE,KAAK,OAAOA,CAAK,EACjB,OAGZ,EAEAV,EAAU,QAAWS,GAAqB,CAGtC,GAAIP,EACA,KAAK,OAAOO,CAAK,MACd,CACH,IAAIC,EAAa,KAEb,OAAO,WAAe,KAAeD,aAAiB,WACtDC,EAAQD,EAAM,MAEdC,EAAQ,iSAMZX,EAAO,IAAI,MAAMW,CAAK,CAAC,EAE/B,CACJ,CAAC,CACL,CAEO,KAAKG,EAAS,CACjB,OAAI,KAAK,YAAc,KAAK,WAAW,aAAe,KAAK,sBAAsB,MAC7E,KAAK,QAAQ,IAAIjB,EAAS,MAAO,wCAAwCgB,EAAcC,EAAM,KAAK,kBAAkB,IAAI,EACxH,KAAK,WAAW,KAAKA,CAAI,EAClB,QAAQ,QAAO,GAGnB,QAAQ,OAAO,oCAAoC,CAC9D,CAEO,MAAI,CACP,OAAI,KAAK,YAGL,KAAK,OAAO,MAAS,EAGlB,QAAQ,QAAO,CAC1B,CAEQ,OAAOJ,EAA0B,CAEjC,KAAK,aAEL,KAAK,WAAW,QAAU,IAAK,CAAE,EACjC,KAAK,WAAW,UAAY,IAAK,CAAE,EACnC,KAAK,WAAW,QAAU,IAAK,CAAE,EACjC,KAAK,WAAW,MAAK,EACrB,KAAK,WAAa,QAGtB,KAAK,QAAQ,IAAIb,EAAS,MAAO,uCAAuC,EACpE,KAAK,UACD,KAAK,cAAca,CAAK,IAAMA,EAAM,WAAa,IAASA,EAAM,OAAS,KACzE,KAAK,QAAQ,IAAI,MAAM,sCAAsCA,EAAM,SAASA,EAAM,QAAU,qBAAqB,CAAC,EAC3GA,aAAiB,MACxB,KAAK,QAAQA,CAAK,EAElB,KAAK,QAAO,EAGxB,CAEQ,cAAcA,EAAW,CAC7B,OAAOA,GAAS,OAAOA,EAAM,UAAa,WAAa,OAAOA,EAAM,MAAS,QACjF,GClJJ,IAAMK,GAAgB,IAGTC,GAAP,KAAqB,CA0BvB,YAAYC,EAAaC,EAAkC,CAAA,EAAE,CAQzD,GArBI,KAAA,qBAA4D,IAAK,CAAE,EAK3D,KAAA,SAAgB,CAAA,EAMf,KAAA,kBAA4B,EAGzCC,EAAI,WAAWF,EAAK,KAAK,EAEzB,KAAK,QAAUG,GAAaF,EAAQ,MAAM,EAC1C,KAAK,QAAU,KAAK,YAAYD,CAAG,EAEnCC,EAAUA,GAAW,CAAA,EACrBA,EAAQ,kBAAoBA,EAAQ,oBAAsB,OAAY,GAAQA,EAAQ,kBAClF,OAAOA,EAAQ,iBAAoB,WAAaA,EAAQ,kBAAoB,OAC5EA,EAAQ,gBAAkBA,EAAQ,kBAAoB,OAAY,GAAOA,EAAQ,oBAEjF,OAAM,IAAI,MAAM,iEAAiE,EAErFA,EAAQ,QAAUA,EAAQ,UAAY,OAAY,IAAM,IAAOA,EAAQ,QAEvE,IAAIG,EAAuB,KACvBC,EAAyB,KAE7B,GAAIC,EAAS,QAAU,OAAOC,EAAY,IAAa,CAGnD,IAAMC,EAAc,OAAO,qBAAwB,WAAa,wBAA0BD,EAC1FH,EAAkBI,EAAY,IAAI,EAClCH,EAAoBG,EAAY,aAAa,EAG7C,CAACF,EAAS,QAAU,OAAO,UAAc,KAAe,CAACL,EAAQ,UACjEA,EAAQ,UAAY,UACbK,EAAS,QAAU,CAACL,EAAQ,WAC/BG,IACAH,EAAQ,UAAYG,GAIxB,CAACE,EAAS,QAAU,OAAO,YAAgB,KAAe,CAACL,EAAQ,YACnEA,EAAQ,YAAc,YACfK,EAAS,QAAU,CAACL,EAAQ,aAC/B,OAAOI,EAAsB,MAC7BJ,EAAQ,YAAcI,GAI9B,KAAK,YAAc,IAAII,GAAsBR,EAAQ,YAAc,IAAIS,GAAkB,KAAK,OAAO,EAAGT,EAAQ,kBAAkB,EAClI,KAAK,iBAAgB,eACrB,KAAK,mBAAqB,GAC1B,KAAK,SAAWA,EAEhB,KAAK,UAAY,KACjB,KAAK,QAAU,IACnB,CAIO,MAAM,MAAMU,EAA+B,CAO9C,GANAA,EAAiBA,GAAkBC,EAAe,OAElDV,EAAI,KAAKS,EAAgBC,EAAgB,gBAAgB,EAEzD,KAAK,QAAQ,IAAIC,EAAS,MAAO,6CAA6CD,EAAeD,CAAc,KAAK,EAE5G,KAAK,mBAAgB,eACrB,OAAO,QAAQ,OAAO,IAAI,MAAM,yEAAyE,CAAC,EAS9G,GANA,KAAK,iBAAgB,aAErB,KAAK,sBAAwB,KAAK,eAAeA,CAAc,EAC/D,MAAM,KAAK,sBAGP,KAAK,mBAAuB,gBAAoC,CAEhE,IAAMG,EAAU,+DAChB,YAAK,QAAQ,IAAID,EAAS,MAAOC,CAAO,EAGxC,MAAM,KAAK,aAEJ,QAAQ,OAAO,IAAIC,EAAWD,CAAO,CAAC,UACtC,KAAK,mBAAuB,YAAgC,CAEnE,IAAMA,EAAU,8GAChB,YAAK,QAAQ,IAAID,EAAS,MAAOC,CAAO,EACjC,QAAQ,OAAO,IAAIC,EAAWD,CAAO,CAAC,EAGjD,KAAK,mBAAqB,EAC9B,CAEO,KAAKE,EAA0B,CAClC,OAAI,KAAK,mBAAgB,YACd,QAAQ,OAAO,IAAI,MAAM,qEAAqE,CAAC,GAGrG,KAAK,aACN,KAAK,WAAa,IAAIC,EAAmB,KAAK,SAAU,GAIrD,KAAK,WAAW,KAAKD,CAAI,EACpC,CAEO,MAAM,KAAKE,EAAa,CAC3B,GAAI,KAAK,mBAAgB,eACrB,YAAK,QAAQ,IAAIL,EAAS,MAAO,+BAA+BK,yEAA6E,EACtI,QAAQ,QAAO,EAG1B,GAAI,KAAK,mBAAgB,gBACrB,YAAK,QAAQ,IAAIL,EAAS,MAAO,+BAA+BK,0EAA8E,EACvI,KAAK,aAGhB,KAAK,iBAAgB,gBAErB,KAAK,aAAe,IAAI,QAASC,GAAW,CAExC,KAAK,qBAAuBA,CAChC,CAAC,EAGD,MAAM,KAAK,cAAcD,CAAK,EAC9B,MAAM,KAAK,YACf,CAEQ,MAAM,cAAcA,EAAa,CAIrC,KAAK,WAAaA,EAElB,GAAI,CACA,MAAM,KAAK,2BACb,EAOF,GAAI,KAAK,UAAW,CAChB,GAAI,CACA,MAAM,KAAK,UAAU,KAAI,QACpBE,EAAP,CACE,KAAK,QAAQ,IAAIP,EAAS,MAAO,gDAAgDO,KAAK,EACtF,KAAK,gBAAe,EAGxB,KAAK,UAAY,YAEjB,KAAK,QAAQ,IAAIP,EAAS,MAAO,wFAAwF,CAEjI,CAEQ,MAAM,eAAeF,EAA8B,CAGvD,IAAIX,EAAM,KAAK,QACf,KAAK,oBAAsB,KAAK,SAAS,mBACzC,KAAK,YAAY,oBAAsB,KAAK,oBAE5C,GAAI,CACA,GAAI,KAAK,SAAS,gBACd,GAAI,KAAK,SAAS,YAAcqB,EAAkB,WAE9C,KAAK,UAAY,KAAK,oBAAoBA,EAAkB,UAAU,EAGtE,MAAM,KAAK,gBAAgBrB,EAAKW,CAAc,MAE9C,OAAM,IAAI,MAAM,8EAA8E,MAE/F,CACH,IAAIW,EAA+C,KAC/CC,EAAY,EAEhB,EAAG,CAGC,GAFAD,EAAoB,MAAM,KAAK,wBAAwBtB,CAAG,EAEtD,KAAK,mBAAgB,iBAAsC,KAAK,mBAAgB,eAChF,MAAM,IAAIe,EAAW,gDAAgD,EAGzE,GAAIO,EAAkB,MAClB,MAAM,IAAI,MAAMA,EAAkB,KAAK,EAG3C,GAAKA,EAA0B,gBAC3B,MAAM,IAAI,MAAM,8LAA8L,EAOlN,GAJIA,EAAkB,MAClBtB,EAAMsB,EAAkB,KAGxBA,EAAkB,YAAa,CAG/B,IAAME,EAAcF,EAAkB,YACtC,KAAK,oBAAsB,IAAME,EAEjC,KAAK,YAAY,aAAeA,EAChC,KAAK,YAAY,oBAAsB,OAG3CD,UAEGD,EAAkB,KAAOC,EAAYzB,IAE5C,GAAIyB,IAAczB,IAAiBwB,EAAkB,IACjD,MAAM,IAAI,MAAM,uCAAuC,EAG3D,MAAM,KAAK,iBAAiBtB,EAAK,KAAK,SAAS,UAAWsB,EAAmBX,CAAc,EAG3F,KAAK,qBAAqBc,IAC1B,KAAK,SAAS,kBAAoB,IAGlC,KAAK,mBAAgB,eAGrB,KAAK,QAAQ,IAAIZ,EAAS,MAAO,4CAA4C,EAC7E,KAAK,iBAAgB,mBAMpBO,EAAP,CACE,YAAK,QAAQ,IAAIP,EAAS,MAAO,mCAAqCO,CAAC,EACvE,KAAK,iBAAgB,eACrB,KAAK,UAAY,OAGjB,KAAK,qBAAoB,EAClB,QAAQ,OAAOA,CAAC,EAE/B,CAEQ,MAAM,wBAAwBpB,EAAW,CAC7C,IAAM0B,EAAiC,CAAA,EACjC,CAACC,EAAMC,CAAK,EAAIC,EAAkB,EACxCH,EAAQC,CAAI,EAAIC,EAEhB,IAAME,EAAe,KAAK,qBAAqB9B,CAAG,EAClD,KAAK,QAAQ,IAAIa,EAAS,MAAO,gCAAgCiB,IAAe,EAChF,GAAI,CACA,IAAMC,EAAW,MAAM,KAAK,YAAY,KAAKD,EAAc,CACvD,QAAS,GACT,QAAS,CAAE,GAAGJ,EAAS,GAAG,KAAK,SAAS,OAAO,EAC/C,QAAS,KAAK,SAAS,QACvB,gBAAiB,KAAK,SAAS,gBAClC,EAED,GAAIK,EAAS,aAAe,IACxB,OAAO,QAAQ,OAAO,IAAI,MAAM,mDAAmDA,EAAS,aAAa,CAAC,EAG9G,IAAMT,EAAoB,KAAK,MAAMS,EAAS,OAAiB,EAC/D,OAAI,CAACT,EAAkB,kBAAoBA,EAAkB,iBAAmB,KAG5EA,EAAkB,gBAAkBA,EAAkB,cAEnDA,QACFF,EAAP,CACE,IAAIY,EAAe,mDAAqDZ,EACxE,OAAIA,aAAaa,GACTb,EAAE,aAAe,MACjBY,EAAeA,EAAe,uFAGtC,KAAK,QAAQ,IAAInB,EAAS,MAAOmB,CAAY,EAEtC,QAAQ,OAAO,IAAIE,GAAiCF,CAAY,CAAC,EAEhF,CAEQ,kBAAkBhC,EAAamC,EAA0C,CAC7E,OAAKA,EAIEnC,GAAOA,EAAI,QAAQ,GAAG,IAAM,GAAK,IAAM,KAAO,MAAMmC,IAHhDnC,CAIf,CAEQ,MAAM,iBAAiBA,EAAaoC,EAAgEd,EAAuCe,EAAuC,CACtL,IAAIC,EAAa,KAAK,kBAAkBtC,EAAKsB,EAAkB,eAAe,EAC9E,GAAI,KAAK,cAAcc,CAAkB,EAAG,CACxC,KAAK,QAAQ,IAAIvB,EAAS,MAAO,yEAAyE,EAC1G,KAAK,UAAYuB,EACjB,MAAM,KAAK,gBAAgBE,EAAYD,CAAuB,EAE9D,KAAK,aAAef,EAAkB,aACtC,OAGJ,IAAMiB,EAA6B,CAAA,EAC7BC,EAAalB,EAAkB,qBAAuB,CAAA,EACxDmB,EAA4CnB,EAChD,QAAWoB,KAAYF,EAAY,CAC/B,IAAMG,EAAmB,KAAK,yBAAyBD,EAAUN,EAAoBC,CAAuB,EAC5G,GAAIM,aAA4B,MAE5BJ,EAAoB,KAAK,GAAGG,EAAS,mBAAmB,EACxDH,EAAoB,KAAKI,CAAgB,UAClC,KAAK,cAAcA,CAAgB,EAAG,CAE7C,GADA,KAAK,UAAYA,EACb,CAACF,EAAW,CACZ,GAAI,CACAA,EAAY,MAAM,KAAK,wBAAwBzC,CAAG,QAC7C4C,EAAP,CACE,OAAO,QAAQ,OAAOA,CAAE,EAE5BN,EAAa,KAAK,kBAAkBtC,EAAKyC,EAAU,eAAe,EAEtE,GAAI,CACA,MAAM,KAAK,gBAAgBH,EAAYD,CAAuB,EAC9D,KAAK,aAAeI,EAAU,aAC9B,aACKG,EAAP,CAKE,GAJA,KAAK,QAAQ,IAAI/B,EAAS,MAAO,kCAAkC6B,EAAS,eAAeE,GAAI,EAC/FH,EAAY,OACZF,EAAoB,KAAK,IAAIM,GAA4B,GAAGH,EAAS,qBAAqBE,IAAMvB,EAAkBqB,EAAS,SAAS,CAAC,CAAC,EAElI,KAAK,mBAAgB,aAAiC,CACtD,IAAM5B,EAAU,uDAChB,YAAK,QAAQ,IAAID,EAAS,MAAOC,CAAO,EACjC,QAAQ,OAAO,IAAIC,EAAWD,CAAO,CAAC,KAM7D,OAAIyB,EAAoB,OAAS,EACtB,QAAQ,OAAO,IAAIO,GAAgB,yEAAyEP,EAAoB,KAAK,GAAG,IAAKA,CAAmB,CAAC,EAErK,QAAQ,OAAO,IAAI,MAAM,6EAA6E,CAAC,CAClH,CAEQ,oBAAoBQ,EAA4B,CACpD,OAAQA,EAAW,CACf,KAAK1B,EAAkB,WACnB,GAAI,CAAC,KAAK,SAAS,UACf,MAAM,IAAI,MAAM,mDAAmD,EAEvE,OAAO,IAAI2B,GAAmB,KAAK,YAAa,KAAK,oBAAqB,KAAK,QAAS,KAAK,SAAS,kBAAoB,KAAK,SAAS,UAAW,KAAK,SAAS,SAAW,CAAA,CAAE,EAClL,KAAK3B,EAAkB,iBACnB,GAAI,CAAC,KAAK,SAAS,YACf,MAAM,IAAI,MAAM,qDAAqD,EAEzE,OAAO,IAAI4B,GAA0B,KAAK,YAAa,KAAK,YAAY,aAAc,KAAK,QAAS,KAAK,QAAQ,EACrH,KAAK5B,EAAkB,YACnB,OAAO,IAAII,EAAqB,KAAK,YAAa,KAAK,QAAS,KAAK,QAAQ,EACjF,QACI,MAAM,IAAI,MAAM,sBAAsBsB,IAAY,EAE9D,CAEQ,gBAAgB/C,EAAaW,EAA8B,CAC/D,YAAK,UAAW,UAAY,KAAK,UACjC,KAAK,UAAW,QAAWS,GAAM,KAAK,gBAAgBA,CAAC,EAChD,KAAK,UAAW,QAAQpB,EAAKW,CAAc,CACtD,CAEQ,yBAAyB+B,EAA+BN,EAAmDC,EAAuC,CACtJ,IAAMU,EAAY1B,EAAkBqB,EAAS,SAAS,EACtD,GAAIK,GAAc,KACd,YAAK,QAAQ,IAAIlC,EAAS,MAAO,uBAAuB6B,EAAS,wDAAwD,EAClH,IAAI,MAAM,uBAAuBA,EAAS,wDAAwD,EAEzG,GAAIQ,GAAiBd,EAAoBW,CAAS,EAE9C,GADwBL,EAAS,gBAAgB,IAAK,GAAM9B,EAAe,CAAC,CAAC,EACzD,QAAQyB,CAAuB,GAAK,EAAG,CACvD,GAAKU,IAAc1B,EAAkB,YAAc,CAAC,KAAK,SAAS,WAC7D0B,IAAc1B,EAAkB,kBAAoB,CAAC,KAAK,SAAS,YACpE,YAAK,QAAQ,IAAIR,EAAS,MAAO,uBAAuBQ,EAAkB0B,CAAS,sDAAsD,EAClI,IAAII,GAA0B,IAAI9B,EAAkB0B,CAAS,2CAA4CA,CAAS,EAEzH,KAAK,QAAQ,IAAIlC,EAAS,MAAO,wBAAwBQ,EAAkB0B,CAAS,KAAK,EACzF,GAAI,CACA,OAAO,KAAK,oBAAoBA,CAAS,QACpCH,EAAP,CACE,OAAOA,OAIf,aAAK,QAAQ,IAAI/B,EAAS,MAAO,uBAAuBQ,EAAkB0B,CAAS,iEAAiEnC,EAAeyB,CAAuB,KAAK,EACxL,IAAI,MAAM,IAAIhB,EAAkB0B,CAAS,uBAAuBnC,EAAeyB,CAAuB,IAAI,MAGrH,aAAK,QAAQ,IAAIxB,EAAS,MAAO,uBAAuBQ,EAAkB0B,CAAS,2CAA2C,EACvH,IAAIK,GAAuB,IAAI/B,EAAkB0B,CAAS,gCAAiCA,CAAS,CAGvH,CAEQ,cAAcA,EAAc,CAChC,OAAOA,GAAa,OAAQA,GAAe,UAAY,YAAaA,CACxE,CAEQ,gBAAgB7B,EAAa,CASjC,GARA,KAAK,QAAQ,IAAIL,EAAS,MAAO,iCAAiCK,4BAAgC,KAAK,mBAAmB,EAE1H,KAAK,UAAY,OAGjBA,EAAQ,KAAK,YAAcA,EAC3B,KAAK,WAAa,OAEd,KAAK,mBAAgB,eAAmC,CACxD,KAAK,QAAQ,IAAIL,EAAS,MAAO,yCAAyCK,6EAAiF,EAC3J,OAGJ,GAAI,KAAK,mBAAgB,aACrB,WAAK,QAAQ,IAAIL,EAAS,QAAS,yCAAyCK,yEAA6E,EACnJ,IAAI,MAAM,iCAAiCA,sEAA0E,EAyB/H,GAtBI,KAAK,mBAAgB,iBAGrB,KAAK,qBAAoB,EAGzBA,EACA,KAAK,QAAQ,IAAIL,EAAS,MAAO,uCAAuCK,KAAS,EAEjF,KAAK,QAAQ,IAAIL,EAAS,YAAa,0BAA0B,EAGjE,KAAK,aACL,KAAK,WAAW,KAAI,EAAG,MAAOO,GAAK,CAC/B,KAAK,QAAQ,IAAIP,EAAS,MAAO,0CAA0CO,KAAK,CACpF,CAAC,EACD,KAAK,WAAa,QAGtB,KAAK,aAAe,OACpB,KAAK,iBAAgB,eAEjB,KAAK,mBAAoB,CACzB,KAAK,mBAAqB,GAC1B,GAAI,CACI,KAAK,SACL,KAAK,QAAQF,CAAK,QAEjBE,EAAP,CACE,KAAK,QAAQ,IAAIP,EAAS,MAAO,0BAA0BK,mBAAuBE,KAAK,GAGnG,CAEQ,YAAYpB,EAAW,CAE3B,GAAIA,EAAI,YAAY,WAAY,CAAC,IAAM,GAAKA,EAAI,YAAY,UAAW,CAAC,IAAM,EAC1E,OAAOA,EAGX,GAAI,CAACM,EAAS,UACV,MAAM,IAAI,MAAM,mBAAmBN,KAAO,EAQ9C,IAAMqD,EAAO,OAAO,SAAS,cAAc,GAAG,EAC9C,OAAAA,EAAK,KAAOrD,EAEZ,KAAK,QAAQ,IAAIa,EAAS,YAAa,gBAAgBb,UAAYqD,EAAK,QAAQ,EACzEA,EAAK,IAChB,CAEQ,qBAAqBrD,EAAW,CACpC,IAAMsD,EAAQtD,EAAI,QAAQ,GAAG,EACzB8B,EAAe9B,EAAI,UAAU,EAAGsD,IAAU,GAAKtD,EAAI,OAASsD,CAAK,EACrE,OAAIxB,EAAaA,EAAa,OAAS,CAAC,IAAM,MAC1CA,GAAgB,KAEpBA,GAAgB,YAChBA,GAAgBwB,IAAU,GAAK,GAAKtD,EAAI,UAAUsD,CAAK,EAEnDxB,EAAa,QAAQ,kBAAkB,IAAM,KAC7CA,GAAgBwB,IAAU,GAAK,IAAM,IACrCxB,GAAgB,oBAAsB,KAAK,mBAExCA,CACX,GAGJ,SAASoB,GAAiBd,EAAmDmB,EAAkC,CAC3G,MAAO,CAACnB,IAAwBmB,EAAkBnB,KAAwB,CAC9E,CAGM,IAAOnB,EAAP,KAAyB,CAO3B,YAA6BuC,EAAsB,CAAtB,KAAA,WAAAA,EANrB,KAAA,QAAiB,CAAA,EAEjB,KAAA,WAAsB,GAK1B,KAAK,kBAAoB,IAAIC,EAC7B,KAAK,iBAAmB,IAAIA,EAE5B,KAAK,iBAAmB,KAAK,UAAS,CAC1C,CAEO,KAAKzC,EAA0B,CAClC,YAAK,YAAYA,CAAI,EAChB,KAAK,mBACN,KAAK,iBAAmB,IAAIyC,GAEzB,KAAK,iBAAiB,OACjC,CAEO,MAAI,CACP,YAAK,WAAa,GAClB,KAAK,kBAAkB,QAAO,EACvB,KAAK,gBAChB,CAEQ,YAAYzC,EAA0B,CAC1C,GAAI,KAAK,QAAQ,QAAU,OAAO,KAAK,QAAQ,CAAC,GAAO,OAAOA,EAC1D,MAAM,IAAI,MAAM,+BAA+B,OAAO,KAAK,2BAA4B,OAAOA,GAAO,EAGzG,KAAK,QAAQ,KAAKA,CAAI,EACtB,KAAK,kBAAkB,QAAO,CAClC,CAEQ,MAAM,WAAS,CACnB,OAAa,CAGT,GAFA,MAAM,KAAK,kBAAkB,QAEzB,CAAC,KAAK,WAAY,CACd,KAAK,kBACL,KAAK,iBAAiB,OAAO,qBAAqB,EAGtD,MAGJ,KAAK,kBAAoB,IAAIyC,EAE7B,IAAMC,EAAkB,KAAK,iBAC7B,KAAK,iBAAmB,OAExB,IAAM1C,EAAO,OAAO,KAAK,QAAQ,CAAC,GAAO,SACrC,KAAK,QAAQ,KAAK,EAAE,EACpBC,EAAmB,eAAe,KAAK,OAAO,EAElD,KAAK,QAAQ,OAAS,EAEtB,GAAI,CACA,MAAM,KAAK,WAAW,KAAKD,CAAI,EAC/B0C,EAAgB,QAAO,QAClBxC,EAAP,CACEwC,EAAgB,OAAOxC,CAAK,GAGxC,CAEQ,OAAO,eAAeyC,EAA2B,CACrD,IAAMC,EAAcD,EAAa,IAAKE,GAAMA,EAAE,UAAU,EAAE,OAAO,CAACC,EAAGD,IAAMC,EAAID,CAAC,EAC1EE,EAAS,IAAI,WAAWH,CAAW,EACrCI,EAAS,EACb,QAAWC,KAAQN,EACfI,EAAO,IAAI,IAAI,WAAWE,CAAI,EAAGD,CAAM,EACvCA,GAAUC,EAAK,WAGnB,OAAOF,EAAO,MAClB,GAGEN,EAAN,KAAmB,CAKf,aAAA,CACI,KAAK,QAAU,IAAI,QAAQ,CAACtC,EAAS+C,IAAW,CAAC,KAAK,UAAW,KAAK,SAAS,EAAI,CAAC/C,EAAS+C,CAAM,CAAC,CACxG,CAEO,SAAO,CACV,KAAK,UAAU,CACnB,CAEO,OAAOC,EAAY,CACtB,KAAK,UAAWA,CAAM,CAC1B,GCjpBJ,IAAMC,GAAiC,OAG1BC,GAAP,KAAsB,CAA5B,aAAA,CAGoB,KAAA,KAAeD,GAEf,KAAA,QAAkB,EAGlB,KAAA,eAAiCE,EAAe,IAmGpE,CA5FW,cAAcC,EAAeC,EAAe,CAE/C,GAAI,OAAOD,GAAU,SACjB,MAAM,IAAI,MAAM,yDAAyD,EAG7E,GAAI,CAACA,EACD,MAAO,CAAA,EAGPC,IAAW,OACXA,EAASC,EAAW,UAIxB,IAAMC,EAAWC,EAAkB,MAAMJ,CAAK,EAExCK,EAAc,CAAA,EACpB,QAAWC,KAAWH,EAAU,CAC5B,IAAMI,EAAgB,KAAK,MAAMD,CAAO,EACxC,GAAI,OAAOC,EAAc,MAAS,SAC9B,MAAM,IAAI,MAAM,kBAAkB,EAEtC,OAAQA,EAAc,KAAM,CACxB,KAAKC,EAAY,WACb,KAAK,qBAAqBD,CAAa,EACvC,MACJ,KAAKC,EAAY,WACb,KAAK,qBAAqBD,CAAa,EACvC,MACJ,KAAKC,EAAY,WACb,KAAK,qBAAqBD,CAAa,EACvC,MACJ,KAAKC,EAAY,KAEb,MACJ,KAAKA,EAAY,MAEb,MACJ,QAEIP,EAAO,IAAIQ,EAAS,YAAa,yBAA2BF,EAAc,KAAO,YAAY,EAC7F,SAERF,EAAY,KAAKE,CAAa,EAGlC,OAAOF,CACX,CAOO,aAAaC,EAAmB,CACnC,OAAOF,EAAkB,MAAM,KAAK,UAAUE,CAAO,CAAC,CAC1D,CAEQ,qBAAqBA,EAA0B,CACnD,KAAK,sBAAsBA,EAAQ,OAAQ,yCAAyC,EAEhFA,EAAQ,eAAiB,QACzB,KAAK,sBAAsBA,EAAQ,aAAc,yCAAyC,CAElG,CAEQ,qBAAqBA,EAA0B,CAGnD,GAFA,KAAK,sBAAsBA,EAAQ,aAAc,yCAAyC,EAEtFA,EAAQ,OAAS,OACjB,MAAM,IAAI,MAAM,yCAAyC,CAEjE,CAEQ,qBAAqBA,EAA0B,CACnD,GAAIA,EAAQ,QAAUA,EAAQ,MAC1B,MAAM,IAAI,MAAM,yCAAyC,EAGzD,CAACA,EAAQ,QAAUA,EAAQ,OAC3B,KAAK,sBAAsBA,EAAQ,MAAO,yCAAyC,EAGvF,KAAK,sBAAsBA,EAAQ,aAAc,yCAAyC,CAC9F,CAEQ,sBAAsBI,EAAYC,EAAoB,CAC1D,GAAI,OAAOD,GAAU,UAAYA,IAAU,GACvC,MAAM,IAAI,MAAMC,CAAY,CAEpC,GCvGJ,IAAMC,GAA+C,CACjD,MAAOC,EAAS,MAChB,MAAOA,EAAS,MAChB,KAAMA,EAAS,YACf,YAAaA,EAAS,YACtB,KAAMA,EAAS,QACf,QAASA,EAAS,QAClB,MAAOA,EAAS,MAChB,SAAUA,EAAS,SACnB,KAAMA,EAAS,MAGnB,SAASC,GAAcC,EAAY,CAI/B,IAAMC,EAAUJ,GAAoBG,EAAK,YAAW,CAAE,EACtD,GAAI,OAAOC,EAAY,IACnB,OAAOA,EAEP,MAAM,IAAI,MAAM,sBAAsBD,GAAM,CAEpD,CAGM,IAAOE,GAAP,KAA2B,CA0CtB,iBAAiBC,EAAoC,CAGxD,GAFAC,EAAI,WAAWD,EAAS,SAAS,EAE7BE,GAASF,CAAO,EAChB,KAAK,OAASA,UACP,OAAOA,GAAY,SAAU,CACpC,IAAMG,EAAWP,GAAcI,CAAO,EACtC,KAAK,OAAS,IAAII,EAAcD,CAAQ,OAExC,KAAK,OAAS,IAAIC,EAAcJ,CAAO,EAG3C,OAAO,IACX,CA0BO,QAAQK,EAAaC,EAAmE,CAC3F,OAAAL,EAAI,WAAWI,EAAK,KAAK,EACzBJ,EAAI,WAAWI,EAAK,KAAK,EAEzB,KAAK,IAAMA,EAIP,OAAOC,GAA2B,SAClC,KAAK,sBAAwB,CAAE,GAAG,KAAK,sBAAuB,GAAGA,CAAsB,EAEvF,KAAK,sBAAwB,CACzB,GAAG,KAAK,sBACR,UAAWA,GAIZ,IACX,CAMO,gBAAgBC,EAAsB,CACzC,OAAAN,EAAI,WAAWM,EAAU,UAAU,EAEnC,KAAK,SAAWA,EACT,IACX,CAmBO,uBAAuBC,EAAsD,CAChF,GAAI,KAAK,gBACL,MAAM,IAAI,MAAM,yCAAyC,EAG7D,OAAKA,EAEM,MAAM,QAAQA,CAA4B,EACjD,KAAK,gBAAkB,IAAIC,EAAuBD,CAA4B,EAE9E,KAAK,gBAAkBA,EAJvB,KAAK,gBAAkB,IAAIC,EAOxB,IACX,CAMO,OAAK,CAGR,IAAMC,EAAwB,KAAK,uBAAyB,CAAA,EAS5D,GANIA,EAAsB,SAAW,SAEjCA,EAAsB,OAAS,KAAK,QAIpC,CAAC,KAAK,IACN,MAAM,IAAI,MAAM,0FAA0F,EAE9G,IAAMC,EAAa,IAAIC,GAAe,KAAK,IAAKF,CAAqB,EAErE,OAAOG,EAAc,OACjBF,EACA,KAAK,QAAUG,EAAW,SAC1B,KAAK,UAAY,IAAIC,GACrB,KAAK,eAAe,CAC5B,GAGJ,SAASb,GAASc,EAAW,CACzB,OAAOA,EAAO,MAAQ,MAC1B,CCxMA,IAAIC,GAAgB,SAASC,EAAGC,EAAG,CACjC,OAAAF,GAAgB,OAAO,gBAClB,CAAE,UAAW,CAAC,CAAE,YAAa,OAAS,SAAUC,EAAGC,EAAG,CAAED,EAAE,UAAYC,CAAG,GAC1E,SAAUD,EAAGC,EAAG,CAAE,QAASC,KAAKD,EAAO,OAAO,UAAU,eAAe,KAAKA,EAAGC,CAAC,IAAGF,EAAEE,CAAC,EAAID,EAAEC,CAAC,EAAG,EAC7FH,GAAcC,EAAGC,CAAC,CAC3B,EAEO,SAASE,EAAUH,EAAGC,EAAG,CAC9B,GAAI,OAAOA,GAAM,YAAcA,IAAM,KACjC,MAAM,IAAI,UAAU,uBAAyB,OAAOA,CAAC,EAAI,+BAA+B,EAC5FF,GAAcC,EAAGC,CAAC,EAClB,SAASG,GAAK,CAAE,KAAK,YAAcJ,CAAG,CACtCA,EAAE,UAAYC,IAAM,KAAO,OAAO,OAAOA,CAAC,GAAKG,EAAG,UAAYH,EAAE,UAAW,IAAIG,EACjF,CA2IO,SAASC,GAASC,EAAG,CAC1B,IAAIC,EAAI,OAAO,QAAW,YAAc,OAAO,SAAUC,EAAID,GAAKD,EAAEC,CAAC,EAAGE,EAAI,EAC5E,GAAID,EAAG,OAAOA,EAAE,KAAKF,CAAC,EACtB,GAAIA,GAAK,OAAOA,EAAE,QAAW,SAAU,MAAO,CAC1C,KAAM,UAAY,CACd,OAAIA,GAAKG,GAAKH,EAAE,SAAQA,EAAI,QACrB,CAAE,MAAOA,GAAKA,EAAEG,GAAG,EAAG,KAAM,CAACH,CAAE,CAC1C,CACJ,EACA,MAAM,IAAI,UAAUC,EAAI,0BAA4B,iCAAiC,CACvF,CAEO,SAASG,EAAOJ,EAAGK,EAAG,CAC3B,IAAIH,EAAI,OAAO,QAAW,YAAcF,EAAE,OAAO,QAAQ,EACzD,GAAI,CAACE,EAAG,OAAOF,EACf,IAAIG,EAAID,EAAE,KAAKF,CAAC,EAAGM,EAAGC,EAAK,CAAC,EAAGC,EAC/B,GAAI,CACA,MAAQH,IAAM,QAAUA,KAAM,IAAM,EAAEC,EAAIH,EAAE,KAAK,GAAG,MAAMI,EAAG,KAAKD,EAAE,KAAK,CAC7E,OACOG,EAAP,CAAgBD,EAAI,CAAE,MAAOC,CAAM,CAAG,QACtC,CACI,GAAI,CACIH,GAAK,CAACA,EAAE,OAASJ,EAAIC,EAAE,SAAYD,EAAE,KAAKC,CAAC,CACnD,QACA,CAAU,GAAIK,EAAG,MAAMA,EAAE,KAAO,CACpC,CACA,OAAOD,CACT,CAkBO,SAASG,EAAcC,EAAIC,EAAMC,EAAM,CAC5C,GAAIA,GAAQ,UAAU,SAAW,EAAG,QAASC,EAAI,EAAGC,EAAIH,EAAK,OAAQI,EAAIF,EAAIC,EAAGD,KACxEE,GAAM,EAAEF,KAAKF,MACRI,IAAIA,EAAK,MAAM,UAAU,MAAM,KAAKJ,EAAM,EAAGE,CAAC,GACnDE,EAAGF,CAAC,EAAIF,EAAKE,CAAC,GAGtB,OAAOH,EAAG,OAAOK,GAAM,MAAM,UAAU,MAAM,KAAKJ,CAAI,CAAC,CACzD,CCzNM,SAAUK,EAAWC,EAAU,CACnC,OAAO,OAAOA,GAAU,UAC1B,CCGM,SAAUC,GAAoBC,EAAgC,CAClE,IAAMC,EAAS,SAACC,EAAa,CAC3B,MAAM,KAAKA,CAAQ,EACnBA,EAAS,MAAQ,IAAI,MAAK,EAAG,KAC/B,EAEMC,EAAWH,EAAWC,CAAM,EAClC,OAAAE,EAAS,UAAY,OAAO,OAAO,MAAM,SAAS,EAClDA,EAAS,UAAU,YAAcA,EAC1BA,CACT,CCDO,IAAMC,GAA+CC,GAC1D,SAACC,EAAM,CACL,OAAA,SAA4CC,EAA0B,CACpED,EAAO,IAAI,EACX,KAAK,QAAUC,EACRA,EAAO,OAAM;EACxBA,EAAO,IAAI,SAACC,EAAKC,EAAC,CAAK,OAAGA,EAAI,EAAC,KAAKD,EAAI,SAAQ,CAAzB,CAA6B,EAAE,KAAK;GAAM,EACzD,GACJ,KAAK,KAAO,sBACZ,KAAK,OAASD,CAChB,CARA,CAQC,ECvBC,SAAUG,GAAaC,EAA6BC,EAAO,CAC/D,GAAID,EAAK,CACP,IAAME,EAAQF,EAAI,QAAQC,CAAI,EAC9B,GAAKC,GAASF,EAAI,OAAOE,EAAO,CAAC,EAErC,CCOA,IAAAC,EAAA,UAAA,CAyBE,SAAAA,EAAoBC,EAA4B,CAA5B,KAAA,gBAAAA,EAdb,KAAA,OAAS,GAER,KAAA,WAAmD,KAMnD,KAAA,YAAqD,IAMV,CAQnD,OAAAD,EAAA,UAAA,YAAA,UAAA,aACME,EAEJ,GAAI,CAAC,KAAK,OAAQ,CAChB,KAAK,OAAS,GAGN,IAAAC,EAAe,KAAI,WAC3B,GAAIA,EAEF,GADA,KAAK,WAAa,KACd,MAAM,QAAQA,CAAU,MAC1B,QAAqBC,EAAAC,GAAAF,CAAU,EAAAG,EAAAF,EAAA,KAAA,EAAA,CAAAE,EAAA,KAAAA,EAAAF,EAAA,KAAA,EAAE,CAA5B,IAAMG,EAAMD,EAAA,MACfC,EAAO,OAAO,IAAI,yGAGpBJ,EAAW,OAAO,IAAI,EAIlB,IAAiBK,EAAqB,KAAI,gBAClD,GAAIC,EAAWD,CAAgB,EAC7B,GAAI,CACFA,EAAgB,QACTE,EAAP,CACAR,EAASQ,aAAaC,GAAsBD,EAAE,OAAS,CAACA,CAAC,EAIrD,IAAAE,EAAgB,KAAI,YAC5B,GAAIA,EAAa,CACf,KAAK,YAAc,SACnB,QAAwBC,EAAAR,GAAAO,CAAW,EAAAE,EAAAD,EAAA,KAAA,EAAA,CAAAC,EAAA,KAAAA,EAAAD,EAAA,KAAA,EAAE,CAAhC,IAAME,GAASD,EAAA,MAClB,GAAI,CACFE,GAAcD,EAAS,QAChBE,EAAP,CACAf,EAASA,GAAU,CAAA,EACfe,aAAeN,GACjBT,EAAMgB,EAAAA,EAAA,CAAA,EAAAC,EAAOjB,CAAM,CAAA,EAAAiB,EAAKF,EAAI,MAAM,CAAA,EAElCf,EAAO,KAAKe,CAAG,sGAMvB,GAAIf,EACF,MAAM,IAAIS,GAAoBT,CAAM,EAG1C,EAoBAF,EAAA,UAAA,IAAA,SAAIoB,EAAuB,OAGzB,GAAIA,GAAYA,IAAa,KAC3B,GAAI,KAAK,OAGPJ,GAAcI,CAAQ,MACjB,CACL,GAAIA,aAAoBpB,EAAc,CAGpC,GAAIoB,EAAS,QAAUA,EAAS,WAAW,IAAI,EAC7C,OAEFA,EAAS,WAAW,IAAI,GAEzB,KAAK,aAAcC,EAAA,KAAK,eAAW,MAAAA,IAAA,OAAAA,EAAI,CAAA,GAAI,KAAKD,CAAQ,EAG/D,EAOQpB,EAAA,UAAA,WAAR,SAAmBsB,EAAoB,CAC7B,IAAAnB,EAAe,KAAI,WAC3B,OAAOA,IAAemB,GAAW,MAAM,QAAQnB,CAAU,GAAKA,EAAW,SAASmB,CAAM,CAC1F,EASQtB,EAAA,UAAA,WAAR,SAAmBsB,EAAoB,CAC7B,IAAAnB,EAAe,KAAI,WAC3B,KAAK,WAAa,MAAM,QAAQA,CAAU,GAAKA,EAAW,KAAKmB,CAAM,EAAGnB,GAAcA,EAAa,CAACA,EAAYmB,CAAM,EAAIA,CAC5H,EAMQtB,EAAA,UAAA,cAAR,SAAsBsB,EAAoB,CAChC,IAAAnB,EAAe,KAAI,WACvBA,IAAemB,EACjB,KAAK,WAAa,KACT,MAAM,QAAQnB,CAAU,GACjCoB,GAAUpB,EAAYmB,CAAM,CAEhC,EAgBAtB,EAAA,UAAA,OAAA,SAAOoB,EAAsC,CACnC,IAAAR,EAAgB,KAAI,YAC5BA,GAAeW,GAAUX,EAAaQ,CAAQ,EAE1CA,aAAoBpB,GACtBoB,EAAS,cAAc,IAAI,CAE/B,EAlLcpB,EAAA,MAAS,UAAA,CACrB,IAAMwB,EAAQ,IAAIxB,EAClB,OAAAwB,EAAM,OAAS,GACRA,CACT,EAAE,EA+KJxB,GArLA,EAuLO,IAAMyB,GAAqBC,EAAa,MAEzC,SAAUC,GAAeC,EAAU,CACvC,OACEA,aAAiBF,GAChBE,GAAS,WAAYA,GAASC,EAAWD,EAAM,MAAM,GAAKC,EAAWD,EAAM,GAAG,GAAKC,EAAWD,EAAM,WAAW,CAEpH,CAEA,SAASE,GAAcC,EAAwC,CACzDF,EAAWE,CAAS,EACtBA,EAAS,EAETA,EAAU,YAAW,CAEzB,CChNO,IAAMC,EAAuB,CAClC,iBAAkB,KAClB,sBAAuB,KACvB,QAAS,OACT,sCAAuC,GACvC,yBAA0B,ICGrB,IAAMC,EAAmC,CAG9C,WAAA,SAAWC,EAAqBC,EAAgB,SAAEC,EAAA,CAAA,EAAAC,EAAA,EAAAA,EAAA,UAAA,OAAAA,IAAAD,EAAAC,EAAA,CAAA,EAAA,UAAAA,CAAA,EACxC,IAAAC,EAAaL,EAAe,SACpC,OAAIK,GAAU,WACLA,EAAS,WAAU,MAAnBA,EAAQC,EAAA,CAAYL,EAASC,CAAO,EAAAK,EAAKJ,CAAI,CAAA,CAAA,EAE/C,WAAU,MAAA,OAAAG,EAAA,CAACL,EAASC,CAAO,EAAAK,EAAKJ,CAAI,CAAA,CAAA,CAC7C,EACA,aAAA,SAAaK,EAAM,CACT,IAAAH,EAAaL,EAAe,SACpC,OAAQK,GAAU,cAAgB,cAAcG,CAAa,CAC/D,EACA,SAAU,QCjBN,SAAUC,GAAqBC,EAAQ,CAC3CC,EAAgB,WAAW,UAAA,CACjB,IAAAC,EAAqBC,EAAM,iBACnC,GAAID,EAEFA,EAAiBF,CAAG,MAGpB,OAAMA,CAEV,CAAC,CACH,CCtBM,SAAUI,IAAI,CAAK,CCMlB,IAAMC,GAAyB,UAAA,CAAM,OAAAC,GAAmB,IAAK,OAAW,MAAS,CAA5C,EAAsE,EAO5G,SAAUC,GAAkBC,EAAU,CAC1C,OAAOF,GAAmB,IAAK,OAAWE,CAAK,CACjD,CAOM,SAAUC,GAAoBC,EAAQ,CAC1C,OAAOJ,GAAmB,IAAKI,EAAO,MAAS,CACjD,CAQM,SAAUJ,GAAmBK,EAAuBD,EAAYF,EAAU,CAC9E,MAAO,CACL,KAAIG,EACJ,MAAKD,EACL,MAAKF,EAET,CCrCA,IAAII,EAAuD,KASrD,SAAUC,EAAaC,EAAc,CACzC,GAAIC,EAAO,sCAAuC,CAChD,IAAMC,EAAS,CAACJ,EAKhB,GAJII,IACFJ,EAAU,CAAE,YAAa,GAAO,MAAO,IAAI,GAE7CE,EAAE,EACEE,EAAQ,CACJ,IAAAC,EAAyBL,EAAvBM,EAAWD,EAAA,YAAEE,EAAKF,EAAA,MAE1B,GADAL,EAAU,KACNM,EACF,MAAMC,QAMVL,EAAE,CAEN,CAMM,SAAUM,GAAaC,EAAQ,CAC/BN,EAAO,uCAAyCH,IAClDA,EAAQ,YAAc,GACtBA,EAAQ,MAAQS,EAEpB,CCrBA,IAAAC,GAAA,SAAAC,EAAA,CAAmCC,EAAAF,EAAAC,CAAA,EA6BjC,SAAAD,EAAYG,EAA6C,CAAzD,IAAAC,EACEH,EAAA,KAAA,IAAA,GAAO,KATC,OAAAG,EAAA,UAAqB,GAUzBD,GACFC,EAAK,YAAcD,EAGfE,GAAeF,CAAW,GAC5BA,EAAY,IAAIC,CAAI,GAGtBA,EAAK,YAAcE,IAEvB,CAzBO,OAAAN,EAAA,OAAP,SAAiBO,EAAwBC,EAA2BC,EAAqB,CACvF,OAAO,IAAIC,GAAeH,EAAMC,EAAOC,CAAQ,CACjD,EAgCAT,EAAA,UAAA,KAAA,SAAKW,EAAS,CACR,KAAK,UACPC,GAA0BC,GAAiBF,CAAK,EAAG,IAAI,EAEvD,KAAK,MAAMA,CAAM,CAErB,EASAX,EAAA,UAAA,MAAA,SAAMc,EAAS,CACT,KAAK,UACPF,GAA0BG,GAAkBD,CAAG,EAAG,IAAI,GAEtD,KAAK,UAAY,GACjB,KAAK,OAAOA,CAAG,EAEnB,EAQAd,EAAA,UAAA,SAAA,UAAA,CACM,KAAK,UACPY,GAA0BI,GAAuB,IAAI,GAErD,KAAK,UAAY,GACjB,KAAK,UAAS,EAElB,EAEAhB,EAAA,UAAA,YAAA,UAAA,CACO,KAAK,SACR,KAAK,UAAY,GACjBC,EAAA,UAAM,YAAW,KAAA,IAAA,EACjB,KAAK,YAAc,KAEvB,EAEUD,EAAA,UAAA,MAAV,SAAgBW,EAAQ,CACtB,KAAK,YAAY,KAAKA,CAAK,CAC7B,EAEUX,EAAA,UAAA,OAAV,SAAiBc,EAAQ,CACvB,GAAI,CACF,KAAK,YAAY,MAAMA,CAAG,UAE1B,KAAK,YAAW,EAEpB,EAEUd,EAAA,UAAA,UAAV,UAAA,CACE,GAAI,CACF,KAAK,YAAY,SAAQ,UAEzB,KAAK,YAAW,EAEpB,EACFA,CAAA,EApHmCiB,CAAY,EA2H/C,IAAMC,GAAQ,SAAS,UAAU,KAEjC,SAASC,GAAyCC,EAAQC,EAAY,CACpE,OAAOH,GAAM,KAAKE,EAAIC,CAAO,CAC/B,CAMA,IAAAC,GAAA,UAAA,CACE,SAAAA,EAAoBC,EAAqC,CAArC,KAAA,gBAAAA,CAAwC,CAE5D,OAAAD,EAAA,UAAA,KAAA,SAAKE,EAAQ,CACH,IAAAD,EAAoB,KAAI,gBAChC,GAAIA,EAAgB,KAClB,GAAI,CACFA,EAAgB,KAAKC,CAAK,QACnBC,EAAP,CACAC,GAAqBD,CAAK,EAGhC,EAEAH,EAAA,UAAA,MAAA,SAAMK,EAAQ,CACJ,IAAAJ,EAAoB,KAAI,gBAChC,GAAIA,EAAgB,MAClB,GAAI,CACFA,EAAgB,MAAMI,CAAG,QAClBF,EAAP,CACAC,GAAqBD,CAAK,OAG5BC,GAAqBC,CAAG,CAE5B,EAEAL,EAAA,UAAA,SAAA,UAAA,CACU,IAAAC,EAAoB,KAAI,gBAChC,GAAIA,EAAgB,SAClB,GAAI,CACFA,EAAgB,SAAQ,QACjBE,EAAP,CACAC,GAAqBD,CAAK,EAGhC,EACFH,CAAA,EArCA,EAuCAM,GAAA,SAAAC,EAAA,CAAuCC,EAAAF,EAAAC,CAAA,EACrC,SAAAD,EACEG,EACAN,EACAO,EAA8B,CAHhC,IAAAC,EAKEJ,EAAA,KAAA,IAAA,GAAO,KAEHN,EACJ,GAAIW,EAAWH,CAAc,GAAK,CAACA,EAGjCR,EAAkB,CAChB,KAAOQ,GAAkB,OACzB,MAAON,GAAS,OAChB,SAAUO,GAAY,YAEnB,CAEL,IAAIG,EACAF,GAAQG,EAAO,0BAIjBD,EAAU,OAAO,OAAOJ,CAAc,EACtCI,EAAQ,YAAc,UAAA,CAAM,OAAAF,EAAK,YAAW,CAAhB,EAC5BV,EAAkB,CAChB,KAAMQ,EAAe,MAAQZ,GAAKY,EAAe,KAAMI,CAAO,EAC9D,MAAOJ,EAAe,OAASZ,GAAKY,EAAe,MAAOI,CAAO,EACjE,SAAUJ,EAAe,UAAYZ,GAAKY,EAAe,SAAUI,CAAO,IAI5EZ,EAAkBQ,EAMtB,OAAAE,EAAK,YAAc,IAAIX,GAAiBC,CAAe,GACzD,CACF,OAAAK,CAAA,EAzCuCS,EAAU,EA2CjD,SAASC,GAAqBC,EAAU,CAClCC,EAAO,sCACTC,GAAaF,CAAK,EAIlBG,GAAqBH,CAAK,CAE9B,CAQA,SAASI,GAAoBC,EAAQ,CACnC,MAAMA,CACR,CAOA,SAASC,GAA0BC,EAA2CC,EAA2B,CAC/F,IAAAC,EAA0BR,EAAM,sBACxCQ,GAAyBC,EAAgB,WAAW,UAAA,CAAM,OAAAD,EAAsBF,EAAcC,CAAU,CAA9C,CAA+C,CAC3G,CAOO,IAAMG,GAA6D,CACxE,OAAQ,GACR,KAAMC,GACN,MAAOR,GACP,SAAUQ,IC5QL,IAAMC,GAA+B,UAAA,CAAM,OAAC,OAAO,QAAW,YAAc,OAAO,YAAe,cAAvD,EAAsE,ECoClH,SAAUC,GAAYC,EAAI,CAC9B,OAAOA,CACT,CCsCM,SAAUC,GAAoBC,EAA+B,CACjE,OAAIA,EAAI,SAAW,EACVC,GAGLD,EAAI,SAAW,EACVA,EAAI,CAAC,EAGP,SAAeE,EAAQ,CAC5B,OAAOF,EAAI,OAAO,SAACG,EAAWC,EAAuB,CAAK,OAAAA,EAAGD,CAAI,CAAP,EAAUD,CAAY,CAClF,CACF,CC9EA,IAAAG,GAAA,UAAA,CAkBE,SAAAA,EAAYC,EAA6E,CACnFA,IACF,KAAK,WAAaA,EAEtB,CA4BA,OAAAD,EAAA,UAAA,KAAA,SAAQE,EAAyB,CAC/B,IAAMC,EAAa,IAAIH,EACvB,OAAAG,EAAW,OAAS,KACpBA,EAAW,SAAWD,EACfC,CACT,EA6IAH,EAAA,UAAA,UAAA,SACEI,EACAC,EACAC,EAA8B,CAHhC,IAAAC,EAAA,KAKQC,EAAaC,GAAaL,CAAc,EAAIA,EAAiB,IAAIM,GAAeN,EAAgBC,EAAOC,CAAQ,EAErH,OAAAK,EAAa,UAAA,CACL,IAAAC,EAAuBL,EAArBL,EAAQU,EAAA,SAAEC,EAAMD,EAAA,OACxBJ,EAAW,IACTN,EAGIA,EAAS,KAAKM,EAAYK,CAAM,EAChCA,EAIAN,EAAK,WAAWC,CAAU,EAG1BD,EAAK,cAAcC,CAAU,CAAC,CAEtC,CAAC,EAEMA,CACT,EAGUR,EAAA,UAAA,cAAV,SAAwBc,EAAmB,CACzC,GAAI,CACF,OAAO,KAAK,WAAWA,CAAI,QACpBC,EAAP,CAIAD,EAAK,MAAMC,CAAG,EAElB,EA6DAf,EAAA,UAAA,QAAA,SAAQgB,EAA0BC,EAAoC,CAAtE,IAAAV,EAAA,KACE,OAAAU,EAAcC,GAAeD,CAAW,EAEjC,IAAIA,EAAkB,SAACE,EAASC,EAAM,CAC3C,IAAMZ,EAAa,IAAIE,GAAkB,CACvC,KAAM,SAACW,EAAK,CACV,GAAI,CACFL,EAAKK,CAAK,QACHN,EAAP,CACAK,EAAOL,CAAG,EACVP,EAAW,YAAW,EAE1B,EACA,MAAOY,EACP,SAAUD,EACX,EACDZ,EAAK,UAAUC,CAAU,CAC3B,CAAC,CACH,EAGUR,EAAA,UAAA,WAAV,SAAqBQ,EAA2B,OAC9C,OAAOI,EAAA,KAAK,UAAM,MAAAA,IAAA,OAAA,OAAAA,EAAE,UAAUJ,CAAU,CAC1C,EAOAR,EAAA,UAACG,EAAiB,EAAlB,UAAA,CACE,OAAO,IACT,EA4FAH,EAAA,UAAA,KAAA,UAAA,SAAKsB,EAAA,CAAA,EAAAC,EAAA,EAAAA,EAAA,UAAA,OAAAA,IAAAD,EAAAC,CAAA,EAAA,UAAAA,CAAA,EACH,OAAOC,GAAcF,CAAU,EAAE,IAAI,CACvC,EA6BAtB,EAAA,UAAA,UAAA,SAAUiB,EAAoC,CAA9C,IAAAV,EAAA,KACE,OAAAU,EAAcC,GAAeD,CAAW,EAEjC,IAAIA,EAAY,SAACE,EAASC,EAAM,CACrC,IAAIC,EACJd,EAAK,UACH,SAACkB,EAAI,CAAK,OAACJ,EAAQI,CAAT,EACV,SAACV,EAAQ,CAAK,OAAAK,EAAOL,CAAG,CAAV,EACd,UAAA,CAAM,OAAAI,EAAQE,CAAK,CAAb,CAAc,CAExB,CAAC,CACH,EA1aOrB,EAAA,OAAkC,SAAIC,EAAwD,CACnG,OAAO,IAAID,EAAcC,CAAS,CACpC,EAyaFD,GA9cA,EAudA,SAAS0B,GAAeC,EAA+C,OACrE,OAAOC,EAAAD,GAAeE,EAAO,WAAO,MAAAD,IAAA,OAAAA,EAAI,OAC1C,CAEA,SAASE,GAAcC,EAAU,CAC/B,OAAOA,GAASC,EAAWD,EAAM,IAAI,GAAKC,EAAWD,EAAM,KAAK,GAAKC,EAAWD,EAAM,QAAQ,CAChG,CAEA,SAASE,GAAgBF,EAAU,CACjC,OAAQA,GAASA,aAAiBG,IAAgBJ,GAAWC,CAAK,GAAKI,GAAeJ,CAAK,CAC7F,CCzeM,SAAUK,GAAQC,EAAW,CACjC,OAAOC,EAAWD,GAAQ,IAAI,CAChC,CAMM,SAAUE,GACdC,EAAqF,CAErF,OAAO,SAACH,EAAqB,CAC3B,GAAID,GAAQC,CAAM,EAChB,OAAOA,EAAO,KAAK,SAA+BI,EAA2B,CAC3E,GAAI,CACF,OAAOD,EAAKC,EAAc,IAAI,QACvBC,EAAP,CACA,KAAK,MAAMA,CAAG,EAElB,CAAC,EAEH,MAAM,IAAI,UAAU,wCAAwC,CAC9D,CACF,CCjBM,SAAUC,GACdC,EACAC,EACAC,EACAC,EACAC,EAAuB,CAEvB,OAAO,IAAIC,GAAmBL,EAAaC,EAAQC,EAAYC,EAASC,CAAU,CACpF,CAMA,IAAAC,GAAA,SAAAC,EAAA,CAA2CC,EAAAF,EAAAC,CAAA,EAiBzC,SAAAD,EACEL,EACAC,EACAC,EACAC,EACQC,EACAI,EAAiC,CAN3C,IAAAC,EAoBEH,EAAA,KAAA,KAAMN,CAAW,GAAC,KAfV,OAAAS,EAAA,WAAAL,EACAK,EAAA,kBAAAD,EAeRC,EAAK,MAAQR,EACT,SAAuCS,EAAQ,CAC7C,GAAI,CACFT,EAAOS,CAAK,QACLC,EAAP,CACAX,EAAY,MAAMW,CAAG,EAEzB,EACAL,EAAA,UAAM,MACVG,EAAK,OAASN,EACV,SAAuCQ,EAAQ,CAC7C,GAAI,CACFR,EAAQQ,CAAG,QACJA,EAAP,CAEAX,EAAY,MAAMW,CAAG,UAGrB,KAAK,YAAW,EAEpB,EACAL,EAAA,UAAM,OACVG,EAAK,UAAYP,EACb,UAAA,CACE,GAAI,CACFA,EAAU,QACHS,EAAP,CAEAX,EAAY,MAAMW,CAAG,UAGrB,KAAK,YAAW,EAEpB,EACAL,EAAA,UAAM,WACZ,CAEA,OAAAD,EAAA,UAAA,YAAA,UAAA,OACE,GAAI,CAAC,KAAK,mBAAqB,KAAK,kBAAiB,EAAI,CAC/C,IAAAO,EAAW,KAAI,OACvBN,EAAA,UAAM,YAAW,KAAA,IAAA,EAEjB,CAACM,KAAUC,EAAA,KAAK,cAAU,MAAAA,IAAA,QAAAA,EAAA,KAAf,IAAI,GAEnB,EACFR,CAAA,EAnF2CS,EAAU,ECP9C,IAAMC,GAAuDC,GAClE,SAACC,EAAM,CACL,OAAA,UAAoC,CAClCA,EAAO,IAAI,EACX,KAAK,KAAO,0BACZ,KAAK,QAAU,qBACjB,CAJA,CAIC,ECXL,IAAAC,EAAA,SAAAC,EAAA,CAAgCC,EAAAF,EAAAC,CAAA,EAwB9B,SAAAD,GAAA,CAAA,IAAAG,EAEEF,EAAA,KAAA,IAAA,GAAO,KAzBT,OAAAE,EAAA,OAAS,GAEDA,EAAA,iBAAyC,KAGjDA,EAAA,UAA2B,CAAA,EAE3BA,EAAA,UAAY,GAEZA,EAAA,SAAW,GAEXA,EAAA,YAAmB,MAenB,CAGA,OAAAH,EAAA,UAAA,KAAA,SAAQI,EAAwB,CAC9B,IAAMC,EAAU,IAAIC,GAAiB,KAAM,IAAI,EAC/C,OAAAD,EAAQ,SAAWD,EACZC,CACT,EAGUL,EAAA,UAAA,eAAV,UAAA,CACE,GAAI,KAAK,OACP,MAAM,IAAIO,EAEd,EAEAP,EAAA,UAAA,KAAA,SAAKQ,EAAQ,CAAb,IAAAL,EAAA,KACEM,EAAa,UAAA,SAEX,GADAN,EAAK,eAAc,EACf,CAACA,EAAK,UAAW,CACdA,EAAK,mBACRA,EAAK,iBAAmB,MAAM,KAAKA,EAAK,SAAS,OAEnD,QAAuBO,EAAAC,GAAAR,EAAK,gBAAgB,EAAAS,EAAAF,EAAA,KAAA,EAAA,CAAAE,EAAA,KAAAA,EAAAF,EAAA,KAAA,EAAE,CAAzC,IAAMG,EAAQD,EAAA,MACjBC,EAAS,KAAKL,CAAK,qGAGzB,CAAC,CACH,EAEAR,EAAA,UAAA,MAAA,SAAMc,EAAQ,CAAd,IAAAX,EAAA,KACEM,EAAa,UAAA,CAEX,GADAN,EAAK,eAAc,EACf,CAACA,EAAK,UAAW,CACnBA,EAAK,SAAWA,EAAK,UAAY,GACjCA,EAAK,YAAcW,EAEnB,QADQC,EAAcZ,EAAI,UACnBY,EAAU,QACfA,EAAU,MAAK,EAAI,MAAMD,CAAG,EAGlC,CAAC,CACH,EAEAd,EAAA,UAAA,SAAA,UAAA,CAAA,IAAAG,EAAA,KACEM,EAAa,UAAA,CAEX,GADAN,EAAK,eAAc,EACf,CAACA,EAAK,UAAW,CACnBA,EAAK,UAAY,GAEjB,QADQY,EAAcZ,EAAI,UACnBY,EAAU,QACfA,EAAU,MAAK,EAAI,SAAQ,EAGjC,CAAC,CACH,EAEAf,EAAA,UAAA,YAAA,UAAA,CACE,KAAK,UAAY,KAAK,OAAS,GAC/B,KAAK,UAAY,KAAK,iBAAmB,IAC3C,EAEA,OAAA,eAAIA,EAAA,UAAA,WAAQ,KAAZ,UAAA,OACE,QAAOgB,EAAA,KAAK,aAAS,MAAAA,IAAA,OAAA,OAAAA,EAAE,QAAS,CAClC,kCAGUhB,EAAA,UAAA,cAAV,SAAwBiB,EAAyB,CAC/C,YAAK,eAAc,EACZhB,EAAA,UAAM,cAAa,KAAA,KAACgB,CAAU,CACvC,EAGUjB,EAAA,UAAA,WAAV,SAAqBiB,EAAyB,CAC5C,YAAK,eAAc,EACnB,KAAK,wBAAwBA,CAAU,EAChC,KAAK,gBAAgBA,CAAU,CACxC,EAGUjB,EAAA,UAAA,gBAAV,SAA0BiB,EAA2B,CAArD,IAAAd,EAAA,KACQa,EAAqC,KAAnCE,EAAQF,EAAA,SAAEG,EAASH,EAAA,UAAED,EAASC,EAAA,UACtC,OAAIE,GAAYC,EACPC,IAET,KAAK,iBAAmB,KACxBL,EAAU,KAAKE,CAAU,EAClB,IAAII,EAAa,UAAA,CACtBlB,EAAK,iBAAmB,KACxBmB,GAAUP,EAAWE,CAAU,CACjC,CAAC,EACH,EAGUjB,EAAA,UAAA,wBAAV,SAAkCiB,EAA2B,CACrD,IAAAD,EAAuC,KAArCE,EAAQF,EAAA,SAAEO,EAAWP,EAAA,YAAEG,EAASH,EAAA,UACpCE,EACFD,EAAW,MAAMM,CAAW,EACnBJ,GACTF,EAAW,SAAQ,CAEvB,EAQAjB,EAAA,UAAA,aAAA,UAAA,CACE,IAAMwB,EAAkB,IAAIC,GAC5B,OAAAD,EAAW,OAAS,KACbA,CACT,EAxHOxB,EAAA,OAAkC,SAAI0B,EAA0BC,EAAqB,CAC1F,OAAO,IAAIrB,GAAoBoB,EAAaC,CAAM,CACpD,EAuHF3B,GA7IgCyB,EAAU,EAkJ1C,IAAAG,GAAA,SAAAC,EAAA,CAAyCC,EAAAF,EAAAC,CAAA,EACvC,SAAAD,EAESG,EACPC,EAAsB,CAHxB,IAAAC,EAKEJ,EAAA,KAAA,IAAA,GAAO,KAHA,OAAAI,EAAA,YAAAF,EAIPE,EAAK,OAASD,GAChB,CAEA,OAAAJ,EAAA,UAAA,KAAA,SAAKM,EAAQ,UACXC,GAAAC,EAAA,KAAK,eAAW,MAAAA,IAAA,OAAA,OAAAA,EAAE,QAAI,MAAAD,IAAA,QAAAA,EAAA,KAAAC,EAAGF,CAAK,CAChC,EAEAN,EAAA,UAAA,MAAA,SAAMS,EAAQ,UACZF,GAAAC,EAAA,KAAK,eAAW,MAAAA,IAAA,OAAA,OAAAA,EAAE,SAAK,MAAAD,IAAA,QAAAA,EAAA,KAAAC,EAAGC,CAAG,CAC/B,EAEAT,EAAA,UAAA,SAAA,UAAA,UACEO,GAAAC,EAAA,KAAK,eAAW,MAAAA,IAAA,OAAA,OAAAA,EAAE,YAAQ,MAAAD,IAAA,QAAAA,EAAA,KAAAC,CAAA,CAC5B,EAGUR,EAAA,UAAA,WAAV,SAAqBU,EAAyB,SAC5C,OAAOH,GAAAC,EAAA,KAAK,UAAM,MAAAA,IAAA,OAAA,OAAAA,EAAE,UAAUE,CAAU,KAAC,MAAAH,IAAA,OAAAA,EAAII,EAC/C,EACFX,CAAA,EA1ByCY,CAAO,ECjGzC,IAAMC,GAAQ,IAAIC,GAAkB,SAACC,EAAU,CAAK,OAAAA,EAAW,SAAQ,CAAnB,CAAqB,EClB1E,SAAUC,GAAQC,EAAa,CACnC,OAAOA,GAAS,EAEZ,UAAA,CAAM,OAAAC,EAAA,EACNC,GAAQ,SAACC,EAAQC,EAAU,CACzB,IAAIC,EAAO,EACXF,EAAO,UACLG,GAAyBF,EAAY,SAACG,EAAK,CAIrC,EAAEF,GAAQL,IACZI,EAAW,KAAKG,CAAK,EAIjBP,GAASK,GACXD,EAAW,SAAQ,EAGzB,CAAC,CAAC,CAEN,CAAC,CACP,CClEO,IAAMI,GAAN,KAAkB,CAwBvB,YAA6BC,EAAiB,CAAjB,aAAAA,EAvB7B,KAAiB,YAAc,IAAIC,EACnC,KAAO,MAA4B,KAAK,YAAY,aAAa,EAEjE,KAAiB,mBAAqB,IAAIA,EAC1C,KAAO,aACL,KAAK,mBAAmB,aAAa,EAEvC,KAAiB,sBAAwB,IAAIA,EAC7C,KAAO,gBACL,KAAK,sBAAsB,aAAa,EAE1C,KAAiB,aAAe,IAAIA,EACpC,KAAO,QAAgC,KAAK,aAAa,aAAa,EAEtE,KAAiB,iBAAmB,IAAIA,EACxC,KAAO,kBACL,KAAK,iBAAiB,aAAa,EAGrC,KAAiB,WAAa,IAAIC,GAAqB,EACpD,QAAQ,WAAW,EACnB,MAAM,EAGP,KAAK,iBAAmB,KAAK,WAC1B,MAAM,EACN,MAAOC,GAAQ,QAAQ,MAAMA,CAAG,CAAC,EAEpC,KAAK,WAAW,GAAG,qBAAuBC,GACxC,KAAK,YAAY,KAAKA,CAAI,CAC5B,EAEA,KAAK,WAAW,GAAG,kBAAoBC,GACrC,KAAK,mBAAmB,KAAKA,CAAI,CACnC,EAEA,KAAK,WAAW,GAAG,wBAAyB,IAC1C,KAAK,sBAAsB,KAAK,CAClC,EAEA,KAAK,WAAW,GAAG,YAAcC,GAC/B,KAAK,iBAAiB,KAAKA,CAAS,CACtC,EAEA,KAAK,WAAW,GAAG,QAAUH,GAAkB,KAAK,aAAa,KAAKA,CAAG,CAAC,CAC5E,CAEa,mBAAmBI,EAAkC,QAAAC,EAAA,sBAChE,MAAM,KAAK,iBACX,KAAK,WAAW,KAAK,gBAAiB,KAAK,QAASD,CAAS,CAC/D,GAEa,YAA4B,QAAAC,EAAA,sBACvC,MAAM,KAAK,iBACX,KAAK,WAAW,KAAK,aAAc,KAAK,OAAO,CACjD,GAEa,cAA8B,QAAAA,EAAA,sBACzC,MAAM,KAAK,iBACX,KAAK,WAAW,KAAK,eAAgB,KAAK,OAAO,CACnD,GAEa,uBAAuC,QAAAA,EAAA,sBAClD,MAAM,KAAK,iBACX,KAAK,WAAW,KAAK,wBAAyB,KAAK,OAAO,CAC5D,GACF,ECvEA,IAAqBC,EAArB,KAA4B,CAC1B,OAAO,KAA4BC,EAAe,CAChD,OAAO,SAAS,eAAeA,CAAE,CACnC,CAEA,OAAO,QAA+BC,EAAsB,CAC1D,OAAO,SAAS,uBAAuBA,CAAS,EAAE,CAAC,CACrD,CAEA,OAAO,WAAkCA,EAAwB,CAC/D,OAAO,MAAM,KAAK,SAAS,uBAAuBA,CAAS,CAAC,CAC9D,CAEA,OAAO,MAA6BC,EAAqB,CACvD,OAAO,SAAS,cAAcA,CAAQ,CACxC,CAEA,OAAO,SAAgCA,EAAuB,CAC5D,OAAO,MAAM,KAAK,SAAS,iBAAiBA,CAAQ,CAAC,CACvD,CACF,EClBO,SAASC,GAAUC,EAAsB,CAFhD,IAAAC,EAGE,OAAOA,EAAA,YAAYD,CAAI,IAAhB,KAAAC,EAAqBD,CAC9B,CCJO,SAASE,GAAsBC,EAAcC,EAAO,GAAS,CAElE,GADAD,EAAOC,EAAOD,EAAOA,EAAK,KAAK,EAC3B,CAACA,EAAM,OAAO,KAElB,IAAME,EAAW,SAAS,cAAc,UAAU,EAClD,OAAAA,EAAS,UAAYF,EACdE,EAAS,QAAQ,UAC1B,CCFO,IAAMC,GAAN,KAAe,CAAf,cACL,KAAiB,cAAgBC,EAAO,KAAK,kBAAkB,EAC/D,KAAiB,aAAeA,EAAO,KAAK,eAAe,EAC3D,KAAiB,eAAiBA,EAAO,KAAK,mBAAmB,EACjE,KAAiB,iBACfA,EAAO,KAAwB,gBAAgB,EACjD,KAAiB,gBAAkBA,EAAO,KAAK,kBAAkB,EACjE,KAAiB,qBAAuBA,EAAO,KAC7C,wBACF,EAKO,sBAAsBC,EAAuC,CAClE,KAAK,gBAAgB,iBAAiB,QAAUC,GAAM,CACpD,IAAMC,EAAeD,EAAE,OACvB,GAAI,CAACC,EAAa,UAAU,SAAS,KAAK,GAAKA,EAAa,SAC1D,OAGF,IAAMC,EAAMD,EAAa,QAAQ,UACjCF,EAAS,SAASG,CAAI,CAAC,CACzB,CAAC,CACH,CAEO,0BAA0BH,EAA4B,CAC3D,KAAK,iBAAiB,iBAAiB,QAASA,CAAQ,CAC1D,CAEO,mBAAmBI,EAAmC,CAC3D,IAAMC,EAAgB,KAAK,eAAe,EAEpCC,EAAU,KAAK,kBAAkBF,EAAW,IAAI,EACtDC,EAAc,UAAYC,EAAQ,UAElC,KAAK,cAAcF,EAAW,OAAO,CACvC,CAEO,cAAcA,EAAmC,CACtD,IAAME,EAAU,KAAK,kBAAkBF,EAAW,IAAI,EAEtD,KAAK,qBAAqB,YAAY,SAAS,cAAc,IAAI,CAAC,EAClE,KAAK,qBAAqB,OAAOE,CAAO,EAExC,KAAK,cAAcF,EAAW,OAAO,CACvC,CAEO,mBAA0B,CAC/B,KAAK,qBAAqB,cAAc,oBAAoB,EAAE,OAAO,EACrE,KAAK,qBAAqB,cAAc,eAAe,EAAE,OAAO,CAClE,CAEO,cAAcG,EAAsB,CACzC,KAAK,gBAAgB,UAAY,KAAK,oBAAoBA,CAAO,CACnE,CAIO,oBAA2B,CAChC,KAAK,cAAgB,KAAK,kBAAkB,EAAE,EAC9C,KAAK,gBAAkB,KAAK,cACzB,kBAEH,KAAK,qBAAqB,YAAY,SAAS,cAAc,IAAI,CAAC,EAClE,KAAK,qBAAqB,OAAO,KAAK,aAAa,CACrD,CAEO,WAAWC,EAAoB,CACpC,KAAK,gBAAgB,WAAaA,CACpC,CAEO,mBAAmBA,EAAoB,CAC5C,KAAK,gBAAkB,KAAK,yBAAyBA,CAAI,EACzD,KAAK,cAAc,YAAY,KAAK,eAAe,CACrD,CAMO,oBAA2B,CAChC,KAAK,eAAe,UAAU,OAAO,QAAQ,CAC/C,CAEO,oBAA2B,CAChC,KAAK,eAAe,UAAU,IAAI,QAAQ,CAC5C,CAEO,gBAAuB,CAC5B,KAAK,cAAc,UAAU,IAAI,QAAQ,CAC3C,CAEO,gBAAuB,CAC5B,KAAK,cAAc,UAAU,OAAO,QAAQ,CAC9C,CAEO,kBAAmB,CAExB,CAAC,GADe,KAAK,gBAAgB,iBAAiB,QAAQ,EACjD,KAAK,gBAAgB,EAAE,QACjCC,GAASA,EAAI,SAAW,EAC3B,CACF,CAEO,sBAAuB,CACZ,KAAK,gBAAgB,iBAAiB,QAAQ,EACtD,QAASA,GAAQ,CACvBA,EAAI,UAAY,KAClB,CAAC,CACH,CAEO,mBAAoB,CAEzB,CAAC,GADe,KAAK,gBAAgB,iBAAiB,QAAQ,EACjD,KAAK,gBAAgB,EAAE,QAASA,GAASA,EAAI,SAAW,EAAK,CAC5E,CAEO,8BAA8BC,EAAqB,CACxD,IAAMC,EAAYZ,EAAO,KAAK,wBAAwB,EAEtD,GAAIW,EAAM,CACRC,EAAU,UAAU,OAAO,QAAQ,EACnC,OAGFA,EAAU,UAAU,IAAI,QAAQ,CAClC,CAIO,UAAUC,EAA4B,CAC3C,KAAK,aAAa,UAAoB;AAAA,QAClCC,GAAUD,CAAY;AAAA,WAE5B,CAEO,YAAmB,CACxB,KAAK,aAAa,UAAY,EAChC,CAEO,kBAAmB,CACxB,IAAMP,EAAgB,KAAK,eAAe,EAC1CA,EAAc,eAAe,EAC7BA,EAAc,UAAU,IAAI,WAAW,EAEvC,WAAW,IAAM,CACfA,EAAc,UAAU,OAAO,WAAW,CAC5C,EAAG,GAAI,CACT,CAEO,YAAsB,CAC3B,OAAO,KAAK,qBAAqB,SAAS,SAAW,CACvD,CAEQ,gBAAiB,CACvB,OAAO,KAAK,qBAAqB,cAAc,oBAAoB,CACrE,CAEQ,kBAAkBS,EAAqB,CAC7C,IAAMR,EAAU,SAAS,cAAc,SAAS,EAChD,OAAAA,EAAQ,UAAYQ,EACjB,MAAM;AAAA;AAAA,CAAM,EACZ,IAAKN,GAAS,KAAK,uBAAuBA,CAAI,CAAC,EAC/C,KAAK,EAAE,EACHF,CACT,CAEQ,uBAAuBE,EAAsB,CACnD,MAAgB,mDAAmDA,OACrE,CAEQ,yBAAyBA,EAAoC,CACnE,OAAOO,GAAS,KAAK,uBAAuBP,CAAI,CAAC,CACnD,CAEQ,oBAAoBD,EAA8B,CACxD,MAAgB;AAAA;AAAA,UAEVA,EACC,IACES,GAAiB;AAAA;AAAA,oGAEsEA,EAAI,QAAQA,EAAI;AAAA,mBAE1G,EACC,KAAK,EAAE;AAAA;AAAA,KAGhB,CACF,ECvKO,IAAMC,EAAN,KAAiB,CAKxB,EALaA,EACG,QAAU,IADbA,EAEG,kBAAoB,IAFvBA,EAGG,kBAAoB,IAHvBA,EAIG,SAAW,ICxB3B,IAAMC,GAAN,cAAiCC,CAAK,CAKpC,aAAc,CACZ,MAAM,mBAAmB,CAC3B,CAEU,UAAiB,CACzB,KAAK,OAAS,IAAIC,GAAY,KAAK,kBAAkB,CAAC,EACtD,KAAK,KAAO,IAAIC,GAEZ,KAAK,KAAK,WAAW,GACvB,KAAK,WAAW,EAGlB,KAAK,KAAK,sBAAuBC,GAAQ,KAAK,WAAWA,CAAG,CAAC,EAC7D,KAAK,KAAK,0BAA0B,IAAM,KAAK,sBAAsB,CAAC,EAEtE,KAAK,aAAa,EAClB,KAAK,yBAAyB,CAChC,CAEQ,cAAe,CACrB,KAAK,OAAO,QAAQ,UAAWC,GAAQ,CACrC,KAAK,KAAK,UAAUA,EAAI,OAAO,EAC/B,KAAK,KAAK,mBAAmB,EAEzBA,EAAI,MAAQC,EAAW,mBACzB,KAAK,KAAK,eAAe,CAE7B,CAAC,CACH,CAEQ,0BAA2B,CACjC,KAAK,OAAO,kBAAkB,UAAWC,GAAU,CACjD,KAAK,gBAAkBA,EAAM,gBACxBA,EAAM,iBAIT,KAAK,KAAK,iBAAiB,EAC3B,KAAK,KAAK,8BAA8B,EAAK,IAJ7C,KAAK,KAAK,kBAAkB,EAC5B,KAAK,KAAK,8BAA8B,EAAI,EAKhD,CAAC,EAED,KAAK,OAAO,aAAa,CAC3B,CAEc,uBAAuC,QAAAC,EAAA,sBACnD,GAAI,CACF,KAAK,KAAK,WAAW,EACrB,KAAK,KAAK,eAAe,EACzB,KAAK,KAAK,mBAAmB,EAE7B,KAAK,KAAK,kBAAkB,EAE5B,KAAK,qBAAqB,EAC1B,KAAK,OAAO,sBAAsB,CACpC,OAAQC,EAAN,CAAO,CAET,KAAK,KAAK,iBAAiB,CAC7B,GAEc,WAAWC,EAAkC,QAAAF,EAAA,sBACzD,GAAI,CACF,KAAK,KAAK,WAAW,EACrB,KAAK,KAAK,eAAe,EACzB,KAAK,KAAK,mBAAmB,EAE7B,KAAK,qBAAqB,EAC1B,KAAK,OAAO,mBAAmBE,CAAS,CAC1C,OAASD,EAAP,CACA,QAAQ,MAAMA,CAAC,CACjB,CACF,GAEc,YAA4B,QAAAD,EAAA,sBACxC,GAAI,CACF,KAAK,KAAK,WAAW,EACrB,KAAK,KAAK,eAAe,EACzB,KAAK,KAAK,mBAAmB,EAE7B,KAAK,qBAAqB,EAC1B,KAAK,OAAO,WAAW,CACzB,OAASC,EAAP,CACA,QAAQ,MAAMA,CAAC,CACjB,CACF,GAEQ,mBAA4B,CAElC,OADY,IAAI,IAAI,SAAS,IAAI,EACtB,SAAS,MAAM,GAAG,EAAE,IAAI,CACrC,CAEQ,sBAAuB,CAC7B,IAAIE,EAAgB,GACpB,KAAK,KAAK,mBAAmB,EAE7B,IAAMC,EAAU,KAAK,OAAO,MAAM,UAAWC,GAAQ,CAC9CF,IACH,KAAK,KAAK,mBAAmB,EAC7B,KAAK,KAAK,iBAAiB,EAC3BA,EAAgB,IAGlB,IAAMG,EAAQD,EAAI,MAAM;AAAA;AAAA,CAAM,EAC9B,GAAIC,EAAM,SAAW,EAAG,CACtB,KAAK,KAAK,WAAWD,CAAG,EACxB,OAGF,KAAK,KAAK,WAAWC,EAAM,CAAC,CAAC,EAC7B,KAAK,KAAK,mBAAmBA,EAAM,CAAC,CAAC,CACvC,CAAC,EAED,KAAK,OAAO,gBAAgB,KAAKC,GAAK,CAAC,CAAC,EAAE,UAAWC,GAAY,CAC/D,KAAK,KAAK,mBAAmB,CAC/B,CAAC,EAED,KAAK,OAAO,aAAa,KAAKD,GAAK,CAAC,CAAC,EAAE,UAAWE,GAAe,CAC/D,KAAK,KAAK,mBAAmBA,CAAU,EAEvC,KAAK,KAAK,mBAAmB,EAC7B,KAAK,KAAK,eAAe,EAEzBL,EAAQ,YAAY,CACtB,CAAC,CACH,CACF,EAEA,IAAIZ,GCxIJ,IAAMkB,GAAN,KAAqB,CAOnB,aAAc,CACZ,KAAK,eAAiBC,EAAO,KAAK,gBAAgB,EAClD,KAAK,kBAAoB,KAAK,iCAAiC,EAC/D,KAAK,YAAcA,EAAO,KAAK,kBAAkB,EACjD,KAAK,UAAYA,EAAO,KAAK,gBAAgB,EAC7C,KAAK,SAAWA,EAAO,KAAK,mBAAmB,EAE/C,KAAK,YAAY,iBAAiB,QAAS,IAAM,KAAK,iBAAiB,CAAC,EACxE,KAAK,UAAU,iBAAiB,QAAS,IAAM,KAAK,eAAe,CAAC,EACpE,KAAK,SAAS,iBAAiB,QAAS,IAAM,KAAK,kBAAkB,EAAI,CAAC,EAE1E,KAAK,oBAAoB,EACzB,KAAK,mBAAmB,EAExB,OAAO,iBAAiB,SAAU,IAAM,CACtC,KAAK,oBAAoB,EACzB,KAAK,mBAAmB,CAC1B,CAAC,CACH,CAEA,OAAc,qBAA+B,CAC3C,OAAOA,EAAO,KAAK,gBAAgB,IAAM,IAC3C,CAEQ,kCAAkD,CACxD,OAAO,MAAM,KAAK,SAAS,iBAAiB,aAAa,CAAC,CAC5D,CAEQ,kBAAyB,CAC/B,IAAMC,EAAeD,EAAO,KAAK,cAAc,EAC3CC,IACF,KAAK,YAAY,UAAU,IAAI,QAAQ,EACvCA,EAAa,UAAU,OAAO,QAAQ,EAE1C,CAEc,gBAAgC,QAAAC,EAAA,sBAC5C,IAAMC,EAAWH,EAAO,KAA0B,cAAc,EAAE,MAC5DI,EACJJ,EAAO,KAAuB,cAAc,EAAE,MAAM,KAAK,GAAK,KAE3DG,IAID,MAAM,KAAK,aAAaA,EAAUC,CAAK,IACzC,KAAK,kBAAkB,EAAK,CAEhC,GAEQ,kBAAkBC,EAAqB,CA3DjD,IAAAC,EAAAC,EA4DIP,EAAO,KAA0B,cAAc,EAAE,MAAQ,IACzDM,EAAAN,EAAO,KAAK,cAAc,IAA1B,MAAAM,EAA6B,UAAU,IAAI,UACvCD,KACFE,EAAAP,EAAO,KAAK,kBAAkB,IAA9B,MAAAO,EAAiC,UAAU,OAAO,UAEtD,CAEc,aACZJ,EACAC,EACkB,QAAAF,EAAA,sBAClB,IAAMM,EAAa,OAAO,SAAS,KAanC,IAZe,MAAM,MAAM,gBAAiB,CAC1C,OAAQ,OACR,QAAS,CACP,eAAgB,kBAClB,EACA,KAAM,KAAK,UAAU,CACnB,QAASL,EACT,QAASK,EACT,QAASJ,CACX,CAAC,CACH,CAAC,GAEU,GAET,OADc,IAAI,UAAU,MAAMJ,EAAO,KAAK,cAAc,CAAC,EACvD,KAAK,EACJ,EAEX,GAEQ,qBAAsB,CAC5B,GAAI,CAAC,KAAK,gBAAkB,CAAC,KAAK,kBAChC,OAGsB,KAAK,kBAAkB,KAAMS,GACnD,KAAK,eAAeA,CAAC,CACvB,EAGE,KAAK,eAAe,UAAU,IAAI,QAAQ,EAE1C,KAAK,eAAe,UAAU,OAAO,QAAQ,CAEjD,CAEQ,eAAeC,EAA+B,CACpD,IAAMC,EAAOD,EAAQ,sBAAsB,EACrCE,EAAe,KAAK,eAAe,sBAAsB,EAE/D,OACEA,EAAa,KAAOD,EAAK,QACzBC,EAAa,MAAQ,IAAMD,EAAK,OAChCC,EAAa,QAAUD,EAAK,KAC5BC,EAAa,OAASD,EAAK,IAE/B,CAEQ,oBAAqB,CACtB,KAAK,iBAIN,OAAO,YAAc,OAAO,SAAW,SAAS,KAAK,aACvD,KAAK,eAAe,UAAU,IAAI,WAAW,EAE7C,KAAK,eAAe,UAAU,OAAO,WAAW,EAEpD,CACF,EAEA,OAAO,OAAS,IAAM,CAChBZ,GAAe,oBAAoB,GACrC,IAAIA,EAER,ECtIA,IAAMc,GAAa,OAEnBC,EAAO,WAAW,aAAa,EAAE,QAASC,GAAY,CAChDA,EAAQ,UAAU,SAAS,QAAQ,GACrCC,GAAUC,GAA4BF,CAAO,CAAC,EAGhDA,EAAQ,iBAAiB,QAAUG,GAAU,CAC3CA,EAAM,eAAe,EACrB,IAAMC,EAAOF,GAA4BF,CAAO,EAChD,GAAII,EAAM,CACRH,GAAUG,CAAI,EAEd,IAAMC,EAAO,OAAO,SAAS,SAC7B,GAAIA,EAAK,QAAU,EAAG,CAChBD,IAAS,OACX,OAAO,SAAS,SAAW,IAAIA,KAEjC,OAGF,IAAME,EAAYD,EAAK,MAAM,GAAG,EAChC,GAAIC,EAAU,CAAC,IAAMF,EACnB,OAGFE,EAAU,CAAC,EAAIF,EACf,OAAO,SAAS,SAAWE,EAAU,KAAK,GAAG,EAEjD,CAAC,CACH,CAAC,EAED,SAASJ,GAA4BF,EAA8B,CACjE,OAAOA,EAAQ,aAAa,kBAAkB,GAAK,EACrD,CAEA,SAASC,GAAUG,EAAc,CAC/B,IAAIG,EAAoBC,GAAU,EAC9BD,IAAsBH,IAI1B,SAAS,OAAS,GAAGN,MAAcM,4BACrC,CAEA,SAASI,IAA2B,CAClC,IAAIC,EAAY,SAAS,OACtB,MAAM,IAAI,EACV,KAAMC,GAAQA,EAAI,WAAWZ,EAAU,CAAC,EAE3C,OAAOW,EAAYA,EAAU,MAAM,GAAG,EAAE,CAAC,EAAI,IAC/C,CClDA,SAASE,IAAe,CACtBC,EAAO,WAAW,eAAe,EAAE,QAASC,GAAyB,CACnEA,EAAQ,iBAAiB,QAAU,GAAkB,CACnD,EAAE,gBAAgB,EAClB,EAAE,eAAe,EACjBC,GAAiB,EAAE,aAAkC,CACvD,CAAC,CACH,CAAC,CACH,CAEA,SAASA,GAAiBC,EAAiC,CACzDA,EAAO,UAAU,IAAI,QAAQ,EAE7B,IAAMC,EAAkB,SAAS,cAAc,KAAK,EACpDA,EAAgB,UAAU,IAAI,YAAa,YAAY,EAEvD,IAAMC,EAAe,SAAS,cAAc,QAAQ,EACpDA,EAAa,WAAaF,EAAO,WACjCE,EAAa,QAAQ,SAAW,UAChCA,EAAa,QAAQ,YAAc,MACnCA,EAAa,QAAQ,UAAYC,GAAU,mBAAmB,EAC9DD,EAAa,UAAY;AAAA;AAAA,QAGzBA,EAAa,UAAU,IAAI,MAAO,qBAAqB,EAGvD,IAAIE,EAAK,IAAI,UAAU,QAAQF,CAAY,EAE3CA,EAAa,iBAAiB,QAAUG,GAAkB,CACxD,WAAW,IAAM,CACfJ,EAAgB,OAAO,EACvBD,EAAO,UAAU,OAAO,QAAQ,EAChCI,EAAG,KAAK,CACV,EAAG,GAAG,CACR,CAAC,EAED,IAAME,EAAc,SAAS,cAAc,QAAQ,EACnDA,EAAY,UAAY;AAAA;AAAA,QAGxBA,EAAY,UAAU,IAAI,MAAO,oBAAoB,EACrDA,EAAY,iBAAiB,QAAUD,GAAkB,CACvDA,EAAE,gBAAgB,EAClBA,EAAE,eAAe,EACjBJ,EAAgB,OAAO,EACvBD,EAAO,UAAU,OAAO,QAAQ,EAChCI,EAAG,KAAK,CACV,CAAC,EAEDH,EAAgB,YAAYC,CAAY,EACxCD,EAAgB,YAAYK,CAAW,EAEvC,IAAMC,EAASP,EAAO,cACtBO,GAAA,MAAAA,EAAQ,YAAYN,GAEpBG,EAAG,KAAK,CACV,CAEAR,GAAO,ECxDP,SAAS,iBAAiB,mBAAoB,IAAM,CAClDY,GAAwB,EAExB,IAAMC,EAAQ,SAAS,iBAA8B,WAAW,EAChE,QAASC,KAAQD,EACfC,EAAK,UAAY,IAAI,KAAKA,EAAK,SAAS,EAAE,eAAe,OAAW,CAClE,MAAO,UACP,IAAK,UACL,KAAM,UACN,KAAM,UACN,OAAQ,SACV,CAAC,CAEL,CAAC,EAED,SAASF,IAA0B,CACjC,IAAMG,EAAW,SAAS,uBAAuB,eAAe,EAChE,QAAWC,KAAWD,EACpBC,EAAQ,iBAAiB,QAAUC,GAAa,CAxBpD,IAAAC,EAAAC,EAAAC,EAAAC,EAyBM,IAAMC,EAAgBL,EAAE,cAElBM,GACJJ,GAAAD,EAAAI,EAAc,cAAc,aAAa,IAAzC,YAAAJ,EAA4C,cAA5C,KAAAC,EAA2D,GACvDK,EAAa,SAAS,eAAe,OAAO,EAClDA,EAAW,MAAQD,EAEnB,IAAME,GAAOJ,GAAAD,EAAAE,EAAc,cAAc,YAAY,IAAxC,YAAAF,EAA2C,cAA3C,KAAAC,EAA0D,GACjEK,EAAY,SAAS,eACzB,WACF,EACAA,EAAU,MAAQD,EAElBD,EAAW,eAAe,CAAE,MAAO,SAAU,SAAU,QAAS,CAAC,CACnE,CAAC,CAEL", "names": ["Page", "pageUrl", "PageCreate", "Page", "button", "e", "HttpError", "errorMessage", "statusCode", "trueProto", "TimeoutError", "AbortError", "UnsupportedTransportError", "message", "transport", "DisabledTransportError", "FailedToStartTransportError", "FailedToNegotiateWithServerError", "AggregateErrors", "innerErrors", "HttpResponse", "statusCode", "statusText", "content", "HttpClient", "url", "options", "LogLevel", "NullLogger", "_logLevel", "_message", "VERSION", "Arg", "val", "name", "values", "Platform", "getDataDetail", "data", "includeContent", "detail", "isArrayBuffer", "formatArrayBuffer", "view", "str", "num", "pad", "sendMessage", "logger", "transportName", "httpClient", "url", "content", "options", "headers", "value", "getUserAgentHeader", "LogLevel", "responseType", "response", "createLogger", "ConsoleLogger", "NullLogger", "SubjectSubscription", "subject", "observer", "index", "_", "minimumLogLevel", "logLevel", "message", "msg", "userAgentHeaderName", "constructUserAgent", "getOsName", "getRuntime", "getRuntimeVersion", "version", "os", "runtime", "runtimeVersion", "userAgent", "majorAndMinor", "getErrorString", "e", "getGlobalThis", "FetchHttpClient", "HttpClient", "logger", "requireFunc", "__require", "getGlobalThis", "request", "AbortError", "abortController", "error", "timeoutId", "msTimeout", "LogLevel", "TimeoutError", "isArrayBuffer", "response", "e", "errorMessage", "deserializeContent", "HttpError", "payload", "HttpResponse", "url", "cookies", "Platform", "c", "responseType", "content", "XhrHttpClient", "HttpClient", "logger", "request", "AbortError", "resolve", "reject", "xhr", "isArrayBuffer", "headers", "header", "HttpResponse", "HttpError", "LogLevel", "TimeoutError", "DefaultHttpClient", "HttpClient", "logger", "Platform", "FetchHttpClient", "XhrHttpClient", "request", "AbortError", "url", "TextMessageFormat", "output", "input", "messages", "HandshakeProtocol", "handshakeRequest", "TextMessageFormat", "data", "messageData", "remainingData", "isArrayBuffer", "binaryData", "separatorIndex", "responseLength", "textData", "messages", "response", "MessageType", "Subject", "item", "observer", "err", "SubjectSubscription", "DEFAULT_TIMEOUT_IN_MS", "DEFAULT_PING_INTERVAL_IN_MS", "HubConnectionState", "HubConnection", "connection", "logger", "protocol", "reconnectPolicy", "LogLevel", "Arg", "HandshakeProtocol", "data", "error", "MessageType", "url", "Platform", "handshakePromise", "resolve", "reject", "handshakeRequest", "e", "startPromise", "AbortError", "methodName", "args", "streams", "streamIds", "invocationDescriptor", "promiseQueue", "subject", "Subject", "cancelInvocation", "invocationEvent", "message", "sendPromise", "newMethod", "method", "handlers", "removeIdx", "callback", "messages", "getErrorString", "responseMessage", "remainingData", "nextPing", "invocationMessage", "methods", "methodsCopy", "expectsResponse", "res", "exception", "completionMessage", "m", "prevRes", "c", "reconnectStartTime", "previousReconnectAttempts", "retryError", "nextRetryDelay", "previousRetryCount", "elapsedMilliseconds", "retryReason", "callbacks", "key", "nonblocking", "invocationId", "streamId", "err", "item", "i", "argument", "arg", "id", "result", "DEFAULT_RETRY_DELAYS_IN_MILLISECONDS", "DefaultReconnectPolicy", "retryDelays", "retryContext", "HeaderNames", "AccessTokenHttpClient", "HttpClient", "innerClient", "accessTokenFactory", "request", "allowRetry", "response", "HeaderNames", "url", "HttpTransportType", "TransferFormat", "AbortController", "LongPollingTransport", "httpClient", "logger", "options", "AbortController", "url", "transferFormat", "Arg", "TransferFormat", "LogLevel", "name", "value", "getUserAgentHeader", "headers", "pollOptions", "pollUrl", "response", "HttpError", "getDataDetail", "e", "TimeoutError", "data", "sendMessage", "deleteOptions", "logMessage", "ServerSentEventsTransport", "httpClient", "accessToken", "logger", "options", "url", "transferFormat", "Arg", "TransferFormat", "LogLevel", "resolve", "reject", "opened", "eventSource", "Platform", "cookies", "headers", "name", "value", "getUserAgentHeader", "e", "getDataDetail", "error", "data", "sendMessage", "WebSocketTransport", "httpClient", "accessTokenFactory", "logger", "logMessageContent", "webSocketConstructor", "headers", "url", "transferFormat", "Arg", "TransferFormat", "LogLevel", "token", "resolve", "reject", "webSocket", "cookies", "opened", "Platform", "name", "value", "getUserAgentHeader", "HeaderNames", "_event", "event", "error", "message", "getDataDetail", "data", "MAX_REDIRECTS", "HttpConnection", "url", "options", "Arg", "createLogger", "webSocketModule", "eventSourceModule", "Platform", "__require", "requireFunc", "AccessTokenHttpClient", "DefaultHttpClient", "transferFormat", "TransferFormat", "LogLevel", "message", "AbortError", "data", "TransportSendQueue", "error", "resolve", "e", "HttpTransportType", "negotiateResponse", "redirects", "accessToken", "LongPollingTransport", "headers", "name", "value", "getUserAgentHeader", "negotiateUrl", "response", "errorMessage", "HttpError", "FailedToNegotiateWithServerError", "connectionToken", "requestedTransport", "requestedTransferFormat", "connectUrl", "transportExceptions", "transports", "negotiate", "endpoint", "transportOrError", "ex", "FailedToStartTransportError", "AggregateErrors", "transport", "WebSocketTransport", "ServerSentEventsTransport", "transportMatches", "UnsupportedTransportError", "DisabledTransportError", "aTag", "index", "actualTransport", "_transport", "PromiseSource", "transportResult", "arrayBuffers", "totalLength", "b", "a", "result", "offset", "item", "reject", "reason", "JSON_HUB_PROTOCOL_NAME", "JsonHubProtocol", "TransferFormat", "input", "logger", "NullLogger", "messages", "TextMessageFormat", "hubMessages", "message", "parsedMessage", "MessageType", "LogLevel", "value", "errorMessage", "LogLevelNameMapping", "LogLevel", "parseLogLevel", "name", "mapping", "HubConnectionBuilder", "logging", "Arg", "isLogger", "logLevel", "ConsoleLogger", "url", "transportTypeOrOptions", "protocol", "retryDelaysOrReconnectPolicy", "DefaultReconnectPolicy", "httpConnectionOptions", "connection", "HttpConnection", "HubConnection", "NullLogger", "JsonHubProtocol", "logger", "extendStatics", "d", "b", "p", "__extends", "__", "__values", "o", "s", "m", "i", "__read", "n", "r", "ar", "e", "error", "__spreadArray", "to", "from", "pack", "i", "l", "ar", "isFunction", "value", "createErrorClass", "createImpl", "_super", "instance", "ctorFunc", "UnsubscriptionError", "createErrorClass", "_super", "errors", "err", "i", "arrRemove", "arr", "item", "index", "Subscription", "initialTeardown", "errors", "_parentage", "_parentage_1", "__values", "_parentage_1_1", "parent_1", "initialFinalizer", "isFunction", "e", "UnsubscriptionError", "_finalizers", "_finalizers_1", "_finalizers_1_1", "finalizer", "execFinalizer", "err", "__spreadArray", "__read", "teardown", "_a", "parent", "arrRemove", "empty", "EMPTY_SUBSCRIPTION", "Subscription", "isSubscription", "value", "isFunction", "execFinalizer", "finalizer", "config", "timeoutProvider", "handler", "timeout", "args", "_i", "delegate", "__spreadArray", "__read", "handle", "reportUnhandledError", "err", "timeoutProvider", "onUnhandledError", "config", "noop", "COMPLETE_NOTIFICATION", "createNotification", "errorNotification", "error", "nextNotification", "value", "kind", "context", "errorContext", "cb", "config", "isRoot", "_a", "errorThrown", "error", "captureError", "err", "Subscriber", "_super", "__extends", "destination", "_this", "isSubscription", "EMPTY_OBSERVER", "next", "error", "complete", "SafeSubscriber", "value", "handleStoppedNotification", "nextNotification", "err", "errorNotification", "COMPLETE_NOTIFICATION", "Subscription", "_bind", "bind", "fn", "thisArg", "ConsumerObserver", "partialObserver", "value", "error", "handleUnhandledError", "err", "SafeSubscriber", "_super", "__extends", "observerOrNext", "complete", "_this", "isFunction", "context_1", "config", "Subscriber", "handleUnhandledError", "error", "config", "captureError", "reportUnhandledError", "defaultErrorHandler", "err", "handleStoppedNotification", "notification", "subscriber", "onStoppedNotification", "timeoutProvider", "EMPTY_OBSERVER", "noop", "observable", "identity", "x", "pipeFromArray", "fns", "identity", "input", "prev", "fn", "Observable", "subscribe", "operator", "observable", "observerOrNext", "error", "complete", "_this", "subscriber", "isSubscriber", "SafeSubscriber", "errorContext", "_a", "source", "sink", "err", "next", "promiseCtor", "getPromiseCtor", "resolve", "reject", "value", "operations", "_i", "pipeFromArray", "x", "getPromiseCtor", "promiseCtor", "_a", "config", "isObserver", "value", "isFunction", "isSubscriber", "Subscriber", "isSubscription", "hasLift", "source", "isFunction", "operate", "init", "liftedSource", "err", "createOperatorSubscriber", "destination", "onNext", "onComplete", "onError", "onFinalize", "OperatorSubscriber", "_super", "__extends", "shouldUnsubscribe", "_this", "value", "err", "closed_1", "_a", "Subscriber", "ObjectUnsubscribedError", "createErrorClass", "_super", "Subject", "_super", "__extends", "_this", "operator", "subject", "AnonymousSubject", "ObjectUnsubscribedError", "value", "errorContext", "_b", "__values", "_c", "observer", "err", "observers", "_a", "subscriber", "hasError", "isStopped", "EMPTY_SUBSCRIPTION", "Subscription", "arrRemove", "thrownError", "observable", "Observable", "destination", "source", "AnonymousSubject", "_super", "__extends", "destination", "source", "_this", "value", "_b", "_a", "err", "subscriber", "EMPTY_SUBSCRIPTION", "Subject", "EMPTY", "Observable", "subscriber", "take", "count", "EMPTY", "operate", "source", "subscriber", "seen", "createOperatorSubscriber", "value", "StoryClient", "storyId", "Subject", "HubConnectionBuilder", "err", "text", "data", "userStats", "choiceKey", "__async", "Select", "id", "className", "selector", "translate", "name", "_a", "fromHTML", "html", "trim", "template", "ReadPage", "Select", "callback", "e", "targetButton", "key", "sectionDto", "lastParagraph", "section", "options", "text", "btn", "show", "container", "errorMessage", "translate", "textSection", "fromHTML", "opt", "ErrorTypes", "ReadPageInteractor", "Page", "StoryClient", "ReadPage", "key", "err", "ErrorTypes", "stats", "__async", "e", "choiceKey", "isInitialized", "textSub", "txt", "split", "take", "options", "sectionDto", "FeedbackWidget", "Select", "feedbackForm", "__async", "feedback", "email", "showButton", "_a", "_b", "currentUrl", "e", "element", "rect", "feedbackRect", "cookieName", "Select", "element", "setCookie", "getLanguageValueFromElement", "event", "lang", "path", "pathParts", "currentLangCookie", "getCookie", "cookieRow", "row", "attach", "Select", "element", "showInlinePrompt", "button", "buttonContainer", "acceptButton", "translate", "pp", "e", "abortButton", "parent", "makeExamplesInteractive", "dates", "date", "examples", "example", "e", "_a", "_b", "_c", "_d", "currentTarget", "title", "titleInput", "text", "textInput"] }