{"version":3,"file":"wretch.all.min.js","sources":["../../src/constants.ts","../../src/utils.ts","../../src/config.ts","../../src/resolver.ts","../../src/middleware.ts","../../src/core.ts","../../src/addons/abort.ts","../../src/addons/formData.ts","../../src/addons/formUrl.ts","../../src/addons/perfs.ts","../../src/addons/queryString.ts","../../src/index.all.ts"],"sourcesContent":["export const JSON_MIME = \"application/json\"\nexport const CONTENT_TYPE_HEADER = \"Content-Type\"\nexport const FETCH_ERROR = Symbol()","import { CONTENT_TYPE_HEADER } from \"./constants.js\"\n\nexport function extractContentType(headers: HeadersInit = {}): string | undefined {\n return Object.entries(headers).find(([k]) =>\n k.toLowerCase() === CONTENT_TYPE_HEADER.toLowerCase()\n )?.[1]\n}\n\nexport function isLikelyJsonMime(value: string): boolean {\n return /^application\\/.*json.*/.test(value)\n}\n\nexport const mix = function (one: object, two: object, mergeArrays: boolean = false) {\n return Object.entries(two).reduce((acc, [key, newValue]) => {\n const value = one[key]\n if (Array.isArray(value) && Array.isArray(newValue)) {\n acc[key] = mergeArrays ? [...value, ...newValue] : newValue\n } else if (typeof value === \"object\" && typeof newValue === \"object\") {\n acc[key] = mix(value, newValue, mergeArrays)\n } else {\n acc[key] = newValue\n }\n\n return acc\n }, { ...one })\n}\n","import { mix } from \"./utils.js\"\nimport type { Config } from \"./types.js\"\n\ndeclare const global\n\nconst config: Config = {\n // Default options\n options: {},\n // Error type\n errorType: \"text\",\n // Polyfills\n polyfills: {\n // fetch: null,\n // FormData: null,\n // URLSearchParams: null,\n // performance: null,\n // PerformanceObserver: null,\n // AbortController: null\n },\n polyfill(p: string, doThrow: boolean = true, instance: boolean = false, ...args: any[]) {\n const res = this.polyfills[p] ||\n (typeof self !== \"undefined\" ? self[p] : null) ||\n (typeof global !== \"undefined\" ? global[p] : null)\n if (doThrow && !res) throw new Error(p + \" is not defined\")\n return instance && res ? new res(...args) : res\n }\n}\n\n/**\n * Sets the default fetch options that will be stored internally when instantiating wretch objects.\n *\n * ```js\n * import wretch from \"wretch\"\n *\n * wretch.options({ headers: { \"Accept\": \"application/json\" } });\n *\n * // The fetch request is sent with both headers.\n * wretch(\"...\", { headers: { \"X-Custom\": \"Header\" } }).get().res();\n * ```\n *\n * @param options Default options\n * @param replace If true, completely replaces the existing options instead of mixing in\n */\nexport function setOptions(options: object, replace = false) {\n config.options = replace ? options : mix(config.options, options)\n}\n\n/**\n * Sets the default polyfills that will be stored internally when instantiating wretch objects.\n * Useful for browserless environments like `node.js`.\n *\n * Needed for libraries like [fetch-ponyfill](https://github.com/qubyte/fetch-ponyfill).\n *\n * ```js\n * import wretch from \"wretch\"\n *\n * wretch.polyfills({\n * fetch: require(\"node-fetch\"),\n * FormData: require(\"form-data\"),\n * URLSearchParams: require(\"url\").URLSearchParams,\n * });\n *\n * // Uses the above polyfills.\n * wretch(\"...\").get().res();\n * ```\n *\n * @param polyfills An object containing the polyfills\n * @param replace If true, replaces the current polyfills instead of mixing in\n */\nexport function setPolyfills(polyfills: object, replace = false) {\n config.polyfills = replace ? polyfills : mix(config.polyfills, polyfills)\n}\n\n/**\n * Sets the default method (text, json, …) used to parse the data contained in the response body in case of an HTTP error.\n * As with other static methods, it will affect wretch instances created after calling this function.\n *\n * ```js\n * import wretch from \"wretch\"\n *\n * wretch.errorType(\"json\")\n *\n * wretch(\"http://server/which/returns/an/error/with/a/json/body\")\n * .get()\n * .res()\n * .catch(error => {\n * // error[errorType] (here, json) contains the parsed body\n * console.log(error.json)\n * })\n * ```\n *\n * If null, defaults to \"text\".\n */\nexport function setErrorType(errorType: string) {\n config.errorType = errorType\n}\n\nexport default config\n","import { middlewareHelper } from \"./middleware.js\"\nimport { mix } from \"./utils.js\"\nimport type { Wretch, WretchResponse, WretchResponseChain } from \"./types.js\"\nimport { FETCH_ERROR } from \"./constants.js\"\n\nexport class WretchError extends Error { }\n\nexport const resolver = (wretch: Wretch) => {\n const {\n _url: url,\n _options: opts,\n _config: config,\n _catchers: _catchers,\n _resolvers: resolvers,\n _middlewares: middlewares,\n _addons: addons\n } = wretch\n\n const catchers = new Map(_catchers)\n const finalOptions = mix(config.options, opts)\n addons.forEach(addon => addon.beforeRequest && addon.beforeRequest(wretch, finalOptions))\n // The generated fetch request\n const _fetchReq = middlewareHelper(middlewares)(config.polyfill(\"fetch\"))(url, finalOptions)\n // Throws on an http error\n const referenceError = new Error()\n const throwingPromise: Promise = _fetchReq\n .catch(error => {\n throw { __wrap: error }\n })\n .then(response => {\n if (!response.ok) {\n const err = new WretchError()\n // Enhance the error object\n err[\"cause\"] = referenceError\n err.stack = err.stack + \"\\nCAUSE: \" + referenceError.stack\n err[\"response\"] = response\n if (response.type === \"opaque\") {\n throw err\n }\n return response[config.errorType]().then((body: string) => {\n err.message = body\n err[config.errorType] = body\n err[\"status\"] = response.status\n throw err\n })\n }\n return response\n })\n // Wraps the Promise in order to dispatch the error to a matching catcher\n const catchersWrapper = (promise: Promise): Promise => {\n return promise.catch(err => {\n const error = err.__wrap || err\n\n const catcher =\n err.__wrap && catchers.has(FETCH_ERROR) ? catchers.get(FETCH_ERROR) :\n (catchers.get(error.status) || catchers.get(error.name))\n\n if (catcher)\n return catcher(error, wretch)\n\n throw error\n })\n }\n // Enforces the proper promise type when a body parsing method is called.\n type BodyParser = (funName: string | null) => (cb?: (type: Type) => Result) => Promise\n const bodyParser: BodyParser = funName => cb => funName ?\n // If a callback is provided, then callback with the body result otherwise return the parsed body itself.\n catchersWrapper(throwingPromise.then(_ => _ && _[funName]()).then(_ => cb ? cb(_) : _)) :\n // No body parsing method - return the response\n catchersWrapper(throwingPromise.then(_ => cb ? cb(_ as any) : _))\n\n const responseChain: WretchResponseChain = {\n _wretchReq: wretch,\n _fetchReq,\n res: bodyParser(null),\n json: bodyParser(\"json\"),\n blob: bodyParser(\"blob\"),\n formData: bodyParser(\"formData\"),\n arrayBuffer: bodyParser(\"arrayBuffer\"),\n text: bodyParser(\"text\"),\n error(errorId, cb) {\n catchers.set(errorId, cb)\n return this\n },\n badRequest(cb) { return this.error(400, cb) },\n unauthorized(cb) { return this.error(401, cb) },\n forbidden(cb) { return this.error(403, cb) },\n notFound(cb) { return this.error(404, cb) },\n timeout(cb) { return this.error(408, cb) },\n internalError(cb) { return this.error(500, cb) },\n fetchError(cb) { return this.error(FETCH_ERROR, cb) },\n }\n\n const enhancedResponseChain: R extends undefined ? Chain & WretchResponseChain : R = addons.reduce((chain, addon) => ({\n ...chain,\n ...(addon.resolver as any)\n }), responseChain)\n\n return resolvers.reduce((chain, r) => r(chain, wretch), enhancedResponseChain)\n}\n","import type { ConfiguredMiddleware, FetchLike } from \"./types.js\"\n\n/**\n * @private @internal\n */\nexport const middlewareHelper = (middlewares: ConfiguredMiddleware[]) => (fetchFunction: FetchLike): FetchLike => {\n return middlewares.reduceRight((acc, curr) => curr(acc), fetchFunction) || fetchFunction\n}\n","import { mix, extractContentType, isLikelyJsonMime } from \"./utils.js\"\nimport { JSON_MIME, CONTENT_TYPE_HEADER } from \"./constants.js\"\nimport { resolver } from \"./resolver.js\"\nimport config from \"./config.js\"\nimport type { Wretch } from \"./types.js\"\n\nexport const core: Wretch = {\n _url: \"\",\n _options: {},\n _config: config,\n _catchers: new Map(),\n _resolvers: [],\n _deferred: [],\n _middlewares: [],\n _addons: [],\n addon(addon) {\n return { ...this, _addons: [...this._addons, addon], ...addon.wretch }\n },\n errorType(errorType: string) {\n return {\n ...this,\n _config: {\n ...this._config,\n errorType\n }\n }\n },\n polyfills(polyfills, replace = false) {\n return {\n ...this,\n _config: {\n ...this._config,\n polyfills: replace ? polyfills : mix(this._config.polyfills, polyfills)\n }\n }\n },\n url(_url, replace = false) {\n if (replace)\n return { ...this, _url }\n const split = this._url.split(\"?\")\n return {\n ...this,\n _url: split.length > 1 ?\n split[0] + _url + \"?\" + split[1] :\n this._url + _url\n }\n },\n options(options, replace = false) {\n return { ...this, _options: replace ? options : mix(this._options, options) }\n },\n headers(headerValues) {\n return { ...this, _options: mix(this._options, { headers: headerValues || {} }) }\n },\n accept(headerValue) {\n return this.headers({ Accept: headerValue })\n },\n content(headerValue) {\n return this.headers({ [CONTENT_TYPE_HEADER]: headerValue })\n },\n auth(headerValue) {\n return this.headers({ Authorization: headerValue })\n },\n catcher(errorId, catcher) {\n const newMap = new Map(this._catchers)\n newMap.set(errorId, catcher)\n return { ...this, _catchers: newMap }\n },\n resolve(resolver, clear: boolean = false) {\n return { ...this, _resolvers: clear ? [resolver] : [...this._resolvers, resolver] }\n },\n defer(callback, clear = false) {\n return {\n ...this,\n _deferred: clear ? [callback] : [...this._deferred, callback]\n }\n },\n middlewares(middlewares, clear = false) {\n return {\n ...this,\n _middlewares: clear ? middlewares : [...this._middlewares, ...middlewares]\n }\n },\n fetch(method: string = this._options.method, url = \"\", body = null) {\n let base = this.url(url).options({ method })\n // \"Jsonify\" the body if it is an object and if it is likely that the content type targets json.\n const contentType = extractContentType(base._options.headers)\n const jsonify = typeof body === \"object\" && (!base._options.headers || !contentType || isLikelyJsonMime(contentType))\n base =\n !body ? base :\n jsonify ? base.json(body, contentType) :\n base.body(body)\n return resolver(\n base\n ._deferred\n .reduce((acc: Wretch, curr) => curr(acc, acc._url, acc._options), base)\n )\n },\n get(url = \"\") {\n return this.fetch(\"GET\", url)\n },\n delete(url = \"\") {\n return this.fetch(\"DELETE\", url)\n },\n put(body, url = \"\") {\n return this.fetch(\"PUT\", url, body)\n },\n post(body, url = \"\") {\n return this.fetch(\"POST\", url, body)\n },\n patch(body, url = \"\") {\n return this.fetch(\"PATCH\", url, body)\n },\n head(url = \"\") {\n return this.fetch(\"HEAD\", url)\n },\n opts(url = \"\") {\n return this.fetch(\"OPTIONS\", url)\n },\n body(contents) {\n return { ...this, _options: { ...this._options, body: contents } }\n },\n json(jsObject, contentType) {\n const currentContentType = extractContentType(this._options.headers)\n return this.content(\n contentType ||\n isLikelyJsonMime(currentContentType) && currentContentType ||\n JSON_MIME\n ).body(JSON.stringify(jsObject))\n }\n}\n","import type { Wretch, WretchAddon, WretchErrorCallback, WretchResponseChain } from \"../types.js\"\n\nexport interface AbortWretch {\n /**\n * Associates a custom controller with the request.\n *\n * Useful when you need to use\n * your own AbortController, otherwise wretch will create a new controller itself.\n *\n * ```js\n * const controller = new AbortController()\n *\n * // Associates the same controller with multiple requests\n * wretch(\"url1\")\n * .addon(AbortAddon())\n * .signal(controller)\n * .get()\n * .json()\n * wretch(\"url2\")\n * .addon(AbortAddon())\n * .signal(controller)\n * .get()\n * .json()\n *\n * // Aborts both requests\n * controller.abort()\n * ```\n *\n * @param controller - An instance of AbortController\n */\n signal: (this: T & Wretch, controller: AbortController) => this\n}\n\nexport interface AbortResolver {\n /**\n * Aborts the request after a fixed time.\n *\n * If you use a custom AbortController associated with the request, pass it as the second argument.\n *\n * ```js\n * // 1 second timeout\n * wretch(\"...\").addon(AbortAddon()).get().setTimeout(1000).json(_ =>\n * // will not be called if the request timeouts\n * )\n * ```\n *\n * @param time - Time in milliseconds\n * @param controller - An instance of AbortController\n */\n setTimeout: (this: C & WretchResponseChain, time: number, controller?: AbortController) => this\n /**\n * Returns the provided or generated AbortController plus the wretch response chain as a pair.\n *\n * ```js\n * // We need the controller outside the chain\n * const [c, w] = wretch(\"url\")\n * .addon(AbortAddon())\n * .get()\n * .controller()\n *\n * // Resume with the chain\n * w.onAbort(_ => console.log(\"ouch\")).json()\n *\n * // Later on…\n * c.abort()\n * ```\n */\n controller: (this: C & WretchResponseChain) => [any, this]\n /**\n * Catches an AbortError and performs a callback.\n */\n onAbort: (this: C & WretchResponseChain, cb: WretchErrorCallback) => this\n}\n\n/**\n * Adds the ability to abort requests using AbortController and signals under the hood.\n *\n *\n * _Only compatible with browsers that support\n * [AbortControllers](https://developer.mozilla.org/en-US/docs/Web/API/AbortController).\n * Otherwise, you could use a (partial)\n * [polyfill](https://www.npmjs.com/package/abortcontroller-polyfill)._\n *\n * ```js\n * import AbortAddon from \"wretch/addons/abort\"\n *\n * const [c, w] = wretch(\"...\")\n * .addon(AbortAddon())\n * .get()\n * .onAbort((_) => console.log(\"Aborted !\"))\n * .controller();\n *\n * w.text((_) => console.log(\"should never be called\"));\n * c.abort();\n *\n * // Or :\n *\n * const controller = new AbortController();\n *\n * wretch(\"...\")\n * .addon(AbortAddon())\n * .signal(controller)\n * .get()\n * .onAbort((_) => console.log(\"Aborted !\"))\n * .text((_) => console.log(\"should never be called\"));\n *\n * controller.abort();\n * ```\n */\nconst abort: () => WretchAddon = () => {\n let timeout = null\n let fetchController = null\n return {\n beforeRequest(wretch, options) {\n fetchController = wretch._config.polyfill(\"AbortController\", false, true)\n if (!options[\"signal\"] && fetchController) {\n options[\"signal\"] = fetchController.signal\n }\n timeout = {\n ref: null,\n clear() {\n if (timeout.ref) {\n clearTimeout(timeout.ref)\n timeout.ref = null\n }\n }\n }\n },\n wretch: {\n signal(controller) {\n return { ...this, _options: { ...this._options, signal: controller.signal } }\n },\n },\n resolver: {\n setTimeout(time, controller = fetchController) {\n timeout.clear()\n timeout.ref = setTimeout(() => controller.abort(), time)\n return this\n },\n controller() { return [fetchController, this] },\n onAbort(cb) { return this.error(\"AbortError\", cb) }\n },\n }\n}\n\nexport default abort\n","import type { Wretch, Config, WretchAddon } from \"../types.js\"\n\nfunction convertFormData(\n formObject: object,\n recursive: string[] | boolean = false,\n config: Config,\n formData = config.polyfill(\"FormData\", true, true),\n ancestors = [],\n) {\n Object.entries(formObject).forEach(([key, value]) => {\n let formKey = ancestors.reduce((acc, ancestor) => (\n acc ? `${acc}[${ancestor}]` : ancestor\n ), null)\n formKey = formKey ? `${formKey}[${key}]` : key\n if (value instanceof Array) {\n for (const item of value)\n formData.append(formKey, item)\n } else if (\n recursive &&\n typeof value === \"object\" &&\n (\n !(recursive instanceof Array) ||\n !recursive.includes(key)\n )\n ) {\n if (value !== null) {\n convertFormData(value, recursive, config, formData, [...ancestors, key])\n }\n } else {\n formData.append(formKey, value)\n }\n })\n\n return formData\n}\n\nexport interface FormDataAddon {\n /**\n * Converts the javascript object to a FormData and sets the request body.\n *\n * ```js\n * const form = {\n * hello: \"world\",\n * duck: \"Muscovy\",\n * };\n *\n * wretch(\"...\").addons(FormDataAddon).formData(form).post();\n * ```\n *\n * The `recursive` argument when set to `true` will enable recursion through all\n * nested objects and produce `object[key]` keys. It can be set to an array of\n * string to exclude specific keys.\n *\n * > Warning: Be careful to exclude `Blob` instances in the Browser, and\n * > `ReadableStream` and `Buffer` instances when using the node.js compatible\n * > `form-data` package.\n *\n * ```js\n * const form = {\n * duck: \"Muscovy\",\n * duckProperties: {\n * beak: {\n * color: \"yellow\",\n * },\n * legs: 2,\n * },\n * ignored: {\n * key: 0,\n * },\n * };\n *\n * // Will append the following keys to the FormData payload:\n * // \"duck\", \"duckProperties[beak][color]\", \"duckProperties[legs]\"\n * wretch(\"...\").addons(FormDataAddon).formData(form, [\"ignored\"]).post();\n * ```\n *\n * @param formObject - An object which will be converted to a FormData\n * @param recursive - If `true`, will recurse through all nested objects. Can be set as an array of string to exclude specific keys.\n */\n formData(this: T & Wretch, formObject: object, recursive?: string[] | boolean): this\n}\n\n/**\n * Adds the ability to convert a an object to a FormData and use it as a request body.\n *\n * ```js\n * import FormDataAddon from \"wretch/addons/formData\"\n *\n * wretch().addon(FormDataAddon)\n * ```\n */\nconst formData: WretchAddon = {\n wretch: {\n formData(formObject, recursive = false) {\n return this.body(convertFormData(formObject, recursive, this._config))\n }\n }\n}\n\nexport default formData\n","import type { Wretch, WretchAddon } from \"../types.js\"\n\nfunction encodeQueryValue(key: string, value: unknown) {\n return encodeURIComponent(key) +\n \"=\" +\n encodeURIComponent(\n typeof value === \"object\" ?\n JSON.stringify(value) :\n \"\" + value\n )\n}\nfunction convertFormUrl(formObject: object) {\n return Object.keys(formObject)\n .map(key => {\n const value = formObject[key]\n if (value instanceof Array) {\n return value.map(v => encodeQueryValue(key, v)).join(\"&\")\n }\n return encodeQueryValue(key, value)\n })\n .join(\"&\")\n}\n\nexport interface FormUrlAddon {\n /**\n * Converts the input parameter to an url encoded string and sets the content-type\n * header and body. If the input argument is already a string, skips the conversion\n * part.\n *\n * ```js\n * const form = { a: 1, b: { c: 2 } };\n * const alreadyEncodedForm = \"a=1&b=%7B%22c%22%3A2%7D\";\n *\n * // Automatically sets the content-type header to \"application/x-www-form-urlencoded\"\n * wretch(\"...\").addon(FormUrlAddon).formUrl(form).post();\n * wretch(\"...\").addon(FormUrlAddon).formUrl(alreadyEncodedForm).post();\n * ```\n *\n * @param input - An object to convert into an url encoded string or an already encoded string\n */\n formUrl(this: T & Wretch, input: (object | string)): this\n}\n\n/**\n * Adds the ability to convert a an object to a FormUrl and use it as a request body.\n *\n * ```js\n * import FormUrlAddon from \"wretch/addons/formUrl\"\n *\n * wretch().addon(FormUrlAddon)\n * ```\n */\nconst formUrl: WretchAddon = {\n wretch: {\n formUrl(input) {\n return this\n .body(typeof input === \"string\" ? input : convertFormUrl(input))\n .content(\"application/x-www-form-urlencoded\")\n }\n }\n}\n\nexport default formUrl\n","import type { WretchResponseChain, WretchAddon } from \"../types.js\"\n\nconst onMatch = (entries, name, callback, _performance) => {\n if (!entries.getEntriesByName)\n return false\n const matches = entries.getEntriesByName(name)\n if (matches && matches.length > 0) {\n callback(matches.reverse()[0])\n if (_performance.clearMeasures)\n _performance.clearMeasures(name)\n utils.callbacks.delete(name)\n\n if (utils.callbacks.size < 1) {\n utils.observer.disconnect()\n if (_performance.clearResourceTimings) {\n _performance.clearResourceTimings()\n }\n }\n return true\n }\n return false\n}\n\nconst lazyObserver = (_performance, _observer) => {\n if (!utils.observer && _performance && _observer) {\n utils.observer = new _observer(entries => {\n utils.callbacks.forEach((callback, name) => {\n onMatch(entries, name, callback, _performance)\n })\n })\n if (_performance.clearResourceTimings)\n _performance.clearResourceTimings()\n }\n return utils.observer\n}\n\nconst utils = {\n callbacks: new Map(),\n observer: null,\n observe: (name, callback, config) => {\n if (!name || !callback)\n return\n\n const _performance = config.polyfill(\"performance\", false)\n const _observer = config.polyfill(\"PerformanceObserver\", false)\n\n if (!lazyObserver(_performance, _observer))\n return\n\n if (!onMatch(_performance, name, callback, _performance)) {\n if (utils.callbacks.size < 1)\n utils.observer.observe({ entryTypes: [\"resource\", \"measure\"] })\n utils.callbacks.set(name, callback)\n }\n\n }\n}\n\nexport interface PerfsAddon {\n /**\n * Performs a callback on the API performance timings of the request.\n *\n * Warning: Still experimental on browsers and node.js\n */\n perfs: (this: C & WretchResponseChain, cb?: (timing: any) => void) => this,\n}\n\n/**\n * Adds the ability to measure requests using the Performance Timings API.\n *\n * Uses the Performance API\n * ([browsers](https://developer.mozilla.org/en-US/docs/Web/API/Performance_API) &\n * [node.js](https://nodejs.org/api/perf_hooks.html)) to expose timings related to\n * the underlying request.\n *\n * Browser timings are very accurate, node.js only contains raw measures.\n *\n * ```js\n * import PerfsAddon from \"wretch/addons/perfs\"\n *\n * // Use perfs() before the response types (text, json, ...)\n * wretch(\"...\")\n * .addon(PerfsAddon())\n * .get()\n * .perfs((timings) => {\n * // Will be called when the timings are ready.\n * console.log(timings.startTime);\n * })\n * .res();\n *\n * ```\n *\n * For node.js, there is a little extra work to do :\n *\n * ```js\n * // Node.js only\n * const { performance, PerformanceObserver } = require(\"perf_hooks\");\n *\n * wretch.polyfills({\n * fetch: function (url, opts) {\n * performance.mark(url + \" - begin\");\n * return fetch(url, opts).then(res => {\n * performance.mark(url + \" - end\");\n * setTimeout(() => performance.measure(res.url, url + \" - begin\", url + \" - end\"), 0);\n * return res;\n * });\n * },\n * // other polyfills…\n * performance: performance,\n * PerformanceObserver: PerformanceObserver,\n * });\n * ```\n */\nconst perfs: () => WretchAddon = () => ({\n resolver: {\n perfs(cb) {\n this._fetchReq.then(res => utils.observe(res.url, cb, this._wretchReq._config)).catch(() => {/* swallow */ })\n return this\n },\n }\n})\n\nexport default perfs\n","import type { Wretch, Config, WretchAddon } from \"../types.js\"\n\nconst appendQueryParams = (url: string, qp: object | string, replace: boolean, config: Config) => {\n let queryString: string\n\n if (typeof qp === \"string\") {\n queryString = qp\n } else {\n const usp = config.polyfill(\"URLSearchParams\", true, true)\n for (const key in qp) {\n if (qp[key] instanceof Array) {\n for (const val of qp[key])\n usp.append(key, val)\n } else {\n usp.append(key, qp[key])\n }\n }\n queryString = usp.toString()\n }\n\n const split = url.split(\"?\")\n\n if (!queryString)\n return replace ? split[0] : url\n\n if (replace || split.length < 2)\n return split[0] + \"?\" + queryString\n\n return url + \"&\" + queryString\n}\n\nexport interface QueryStringAddon {\n /**\n * Converts a javascript object to query parameters, then appends this query string\n * to the current url. String values are used as the query string verbatim.\n *\n * Pass `true` as the second argument to replace existing query parameters.\n *\n * ```\n * import QueryAddon from \"wretch/addons/queryString\"\n *\n * let w = wretch(\"http://example.com\").addon(QueryStringAddon);\n * // url is http://example.com\n * w = w.query({ a: 1, b: 2 });\n * // url is now http://example.com?a=1&b=2\n * w = w.query({ c: 3, d: [4, 5] });\n * // url is now http://example.com?a=1&b=2c=3&d=4&d=5\n * w = w.query(\"five&six&seven=eight\");\n * // url is now http://example.com?a=1&b=2c=3&d=4&d=5&five&six&seven=eight\n * w = w.query({ reset: true }, true);\n * // url is now http://example.com?reset=true\n * ```\n *\n * ##### **Note that .query is not meant to handle complex cases with nested objects.**\n *\n * For this kind of usage, you can use `wretch` in conjunction with other libraries\n * (like [`qs`](https://github.com/ljharb/qs)).\n *\n * ```js\n * // Using wretch with qs\n *\n * const queryObject = { some: { nested: \"objects\" } };\n * const w = wretch(\"https://example.com/\").addon(QueryStringAddon)\n *\n * // Use .qs inside .query :\n *\n * w.query(qs.stringify(queryObject));\n *\n * // Use .defer :\n *\n * const qsWretch = w.defer((w, url, { qsQuery, qsOptions }) => (\n * qsQuery ? w.query(qs.stringify(qsQuery, qsOptions)) : w\n * ));\n *\n * qsWretch\n * .url(\"https://example.com/\")\n * .options({ qs: { query: queryObject } });\n * ```\n *\n * @param qp - An object which will be converted, or a string which will be used verbatim.\n */\n query(this: T & Wretch, qp: object | string, replace?: boolean): this\n}\n\n/**\n * Adds the ability to append query parameters from a javascript object.\n *\n * ```js\n * import QueryAddon from \"wretch/addons/queryString\"\n *\n * wretch().addon(QueryAddon)\n * ```\n */\nconst queryString: WretchAddon = {\n wretch: {\n query(qp, replace = false) {\n return { ...this, _url: appendQueryParams(this._url, qp, replace, this._config) }\n }\n }\n}\n\nexport default queryString\n","import { setOptions, setErrorType, setPolyfills } from \"./config.js\"\nimport { core } from \"./core.js\"\nimport * as Addons from \"./addons/index.js\"\n\nfunction factory(_url = \"\", _options = {}) {\n return { ...core, _url, _options }\n .addon(Addons.abortAddon())\n .addon(Addons.formDataAddon)\n .addon(Addons.formUrlAddon)\n .addon(Addons.perfsAddon())\n .addon(Addons.queryStringAddon)\n}\n\nfactory[\"default\"] = factory\nfactory.options = setOptions\nfactory.errorType = setErrorType\nfactory.polyfills = setPolyfills\nexport default factory"],"names":["CONTENT_TYPE_HEADER","FETCH_ERROR","Symbol","extractContentType","headers","_a","Object","entries","find","k","toLowerCase","isLikelyJsonMime","value","test","mix","one","two","mergeArrays","reduce","acc","key","newValue","Array","isArray","config","options","errorType","polyfills","polyfill","p","doThrow","instance","args","res","this","self","global","Error","WretchError","resolver","wretch","_url","url","_options","opts","_config","_catchers","_resolvers","resolvers","_middlewares","middlewares","_addons","addons","catchers","Map","finalOptions","forEach","addon","beforeRequest","_fetchReq","fetchFunction","reduceRight","curr","middlewareHelper","referenceError","throwingPromise","catch","error","__wrap","then","response","ok","err","stack","type","body","message","status","bodyParser","funName","cb","_","catcher","has","get","name","responseChain","_wretchReq","json","blob","formData","arrayBuffer","text","errorId","set","badRequest","unauthorized","forbidden","notFound","timeout","internalError","fetchError","enhancedResponseChain","chain","r","core","_deferred","replace","split","length","headerValues","accept","headerValue","Accept","content","auth","Authorization","newMap","resolve","clear","defer","callback","fetch","method","base","contentType","jsonify","delete","put","post","patch","head","contents","jsObject","currentContentType","JSON","stringify","abort","fetchController","signal","ref","clearTimeout","controller","setTimeout","time","onAbort","convertFormData","formObject","recursive","ancestors","formKey","ancestor","item","append","includes","encodeQueryValue","encodeURIComponent","formUrl","input","keys","map","v","join","onMatch","_performance","getEntriesByName","matches","reverse","clearMeasures","utils","callbacks","size","observer","disconnect","clearResourceTimings","observe","_observer","lazyObserver","entryTypes","perfs","appendQueryParams","qp","queryString","usp","val","toString","query","factory","Addons.abortAddon","Addons.formDataAddon","Addons.formUrlAddon","Addons.perfsAddon","Addons.queryStringAddon"],"mappings":"uOAAO,MACMA,EAAsB,eACtBC,EAAcC,SCAX,SAAAC,EAAmBC,EAAuB,UACxD,OAEI,QAFGC,EAAAC,OAAOC,QAAQH,GAASI,MAAK,EAAEC,KACpCA,EAAEC,gBAAkBV,EAAoBU,uBACtC,IAAAL,OAAA,EAAAA,EAAA,EACN,CAEM,SAAUM,EAAiBC,GAC/B,MAAO,yBAAyBC,KAAKD,EACvC,CAEO,MAAME,EAAM,SAAUC,EAAaC,EAAaC,EAAuB,GAC5E,OAAOX,OAAOC,QAAQS,GAAKE,QAAO,CAACC,GAAMC,EAAKC,MAC5C,MAAMT,EAAQG,EAAIK,GASlB,OARIE,MAAMC,QAAQX,IAAUU,MAAMC,QAAQF,GACxCF,EAAIC,GAAOH,EAAc,IAAIL,KAAUS,GAAYA,EAEnDF,EAAIC,GADsB,iBAAVR,GAA0C,iBAAbS,EAClCP,EAAIF,EAAOS,EAAUJ,GAErBI,EAGNF,CAAG,GACT,IAAKJ,GACV,ECpBMS,EAAiB,CAErBC,QAAS,CAAE,EAEXC,UAAW,OAEXC,UAAW,CAOV,EACDC,SAASC,EAAWC,EAAmB,EAAMC,EAAoB,KAAUC,GACzE,MAAMC,EAAMC,KAAKP,UAAUE,KACR,oBAATM,KAAuBA,KAAKN,GAAK,QACtB,oBAAXO,OAAyBA,OAAOP,GAAK,MAC/C,GAAIC,IAAYG,EAAK,MAAM,IAAII,MAAMR,EAAI,mBACzC,OAAOE,GAAYE,EAAM,IAAIA,KAAOD,GAAQC,CAC7C,GCpBG,MAAOK,UAAoBD,OAE1B,MAAME,EAAyBC,IACpC,MACEC,KAAMC,EACNC,SAAUC,EACVC,QAASrB,EACTsB,UAAWA,EACXC,WAAYC,EACZC,aAAcC,EACdC,QAASC,GACPZ,EAEEa,EAAW,IAAIC,IAAIR,GACnBS,EAAezC,EAAIU,EAAOC,QAASmB,GACzCQ,EAAOI,SAAQC,GAASA,EAAMC,eAAiBD,EAAMC,cAAclB,EAAQe,KAE3E,MAAMI,ECjBwB,CAACT,GAAyCU,GACjEV,EAAYW,aAAY,CAAC1C,EAAK2C,IAASA,EAAK3C,IAAMyC,IAAkBA,EDgBzDG,CAAiBb,EAAjBa,CAA8BvC,EAAOI,SAAS,SAA9CmC,CAAwDrB,EAAKa,GAEzES,EAAiB,IAAI3B,MACrB4B,EAAkDN,EACrDO,OAAMC,IACL,KAAM,CAAEC,OAAQD,EAAO,IAExBE,MAAKC,IACJ,IAAKA,EAASC,GAAI,CAChB,MAAMC,EAAM,IAAIlC,EAKhB,GAHAkC,EAAW,MAAIR,EACfQ,EAAIC,MAAQD,EAAIC,MAAQ,YAAcT,EAAeS,MACrDD,EAAc,SAAIF,EACI,WAAlBA,EAASI,KACX,MAAMF,EAER,OAAOF,EAAS9C,EAAOE,aAAa2C,MAAMM,IAIxC,MAHAH,EAAII,QAAUD,EACdH,EAAIhD,EAAOE,WAAaiD,EACxBH,EAAY,OAAIF,EAASO,OACnBL,CAAG,GAEZ,CACD,OAAOF,CAAQ,IAmBbQ,EAAyBC,GAAWC,IAAMD,EAE9Bd,EAAgBI,MAAKY,GAAKA,GAAKA,EAAEF,OAAYV,MAAKY,GAAKD,EAAKA,EAAGC,GAAKA,IAEpEhB,EAAgBI,MAAKY,GAAKD,EAAKA,EAAGC,GAAYA,KAnB/Cf,OAAMM,IACnB,MAAML,EAAQK,EAAIJ,QAAUI,EAEtBU,EACJV,EAAIJ,QAAUf,EAAS8B,IAAIlF,GAAeoD,EAAS+B,IAAInF,GACpDoD,EAAS+B,IAAIjB,EAAMU,SAAWxB,EAAS+B,IAAIjB,EAAMkB,MAEtD,GAAIH,EACF,OAAOA,EAAQf,EAAO3B,GAExB,MAAM2B,CAAK,IAWTmB,EAAkD,CACtDC,WAAY/C,EACZmB,YACA1B,IAAK6C,EAA2B,MAChCU,KAAMV,EAAgB,QACtBW,KAAMX,EAAiB,QACvBY,SAAUZ,EAAqB,YAC/Ba,YAAab,EAAwB,eACrCc,KAAMd,EAAmB,QACzBX,MAAM0B,EAASb,GAEb,OADA3B,EAASyC,IAAID,EAASb,GACf9C,IACR,EACD6D,WAAWf,GAAM,OAAO9C,KAAKiC,MAAM,IAAKa,EAAK,EAC7CgB,aAAahB,GAAM,OAAO9C,KAAKiC,MAAM,IAAKa,EAAK,EAC/CiB,UAAUjB,GAAM,OAAO9C,KAAKiC,MAAM,IAAKa,EAAK,EAC5CkB,SAASlB,GAAM,OAAO9C,KAAKiC,MAAM,IAAKa,EAAK,EAC3CmB,QAAQnB,GAAM,OAAO9C,KAAKiC,MAAM,IAAKa,EAAK,EAC1CoB,cAAcpB,GAAM,OAAO9C,KAAKiC,MAAM,IAAKa,EAAK,EAChDqB,WAAWrB,GAAM,OAAO9C,KAAKiC,MAAMlE,EAAa+E,EAAK,GAGjDsB,EAAoGlD,EAAOlC,QAAO,CAACqF,EAAO9C,KAAW,IACtI8C,KACC9C,EAAMlB,YACR+C,GAEJ,OAAOtC,EAAU9B,QAAO,CAACqF,EAAOC,IAAMA,EAAED,EAAO/D,IAAS8D,EAAsB,EE5FnEG,EAAe,CAC1BhE,KAAM,GACNE,SAAU,CAAE,EACZE,QAASrB,EACTsB,UAAW,IAAIQ,IACfP,WAAY,GACZ2D,UAAW,GACXzD,aAAc,GACdE,QAAS,GACTM,MAAMA,GACJ,MAAO,IAAKvB,KAAMiB,QAAS,IAAIjB,KAAKiB,QAASM,MAAWA,EAAMjB,OAC/D,EACDd,UAAUA,GACR,MAAO,IACFQ,KACHW,QAAS,IACJX,KAAKW,QACRnB,aAGL,EACDC,UAAUA,EAAWgF,EAAU,GAC7B,MAAO,IACFzE,KACHW,QAAS,IACJX,KAAKW,QACRlB,UAAWgF,EAAUhF,EAAYb,EAAIoB,KAAKW,QAAQlB,UAAWA,IAGlE,EACDe,IAAID,EAAMkE,EAAU,GAClB,GAAIA,EACF,MAAO,IAAKzE,KAAMO,QACpB,MAAMmE,EAAQ1E,KAAKO,KAAKmE,MAAM,KAC9B,MAAO,IACF1E,KACHO,KAAMmE,EAAMC,OAAS,EACnBD,EAAM,GAAKnE,EAAO,IAAMmE,EAAM,GAC9B1E,KAAKO,KAAOA,EAEjB,EACDhB,QAAQA,EAASkF,EAAU,GACzB,MAAO,IAAKzE,KAAMS,SAAUgE,EAAUlF,EAAUX,EAAIoB,KAAKS,SAAUlB,GACpE,EACDrB,QAAQ0G,GACN,MAAO,IAAK5E,KAAMS,SAAU7B,EAAIoB,KAAKS,SAAU,CAAEvC,QAAS0G,GAAgB,CAAE,IAC7E,EACDC,OAAOC,GACL,OAAO9E,KAAK9B,QAAQ,CAAE6G,OAAQD,GAC/B,EACDE,QAAQF,GACN,OAAO9E,KAAK9B,QAAQ,CAAEJ,CAACA,GAAsBgH,GAC9C,EACDG,KAAKH,GACH,OAAO9E,KAAK9B,QAAQ,CAAEgH,cAAeJ,GACtC,EACD9B,QAAQW,EAASX,GACf,MAAMmC,EAAS,IAAI/D,IAAIpB,KAAKY,WAE5B,OADAuE,EAAOvB,IAAID,EAASX,GACb,IAAKhD,KAAMY,UAAWuE,EAC9B,EACDC,QAAqB/E,EAAUgF,EAAiB,GAC9C,MAAO,IAAKrF,KAAMa,WAAYwE,EAAQ,CAAChF,GAAY,IAAIL,KAAKa,WAAYR,GACzE,EACDiF,MAAmBC,EAAUF,EAAQ,GACnC,MAAO,IACFrF,KACHwE,UAAWa,EAAQ,CAACE,GAAY,IAAIvF,KAAKwE,UAAWe,GAEvD,EACDvE,YAAYA,EAAaqE,EAAQ,GAC/B,MAAO,IACFrF,KACHe,aAAcsE,EAAQrE,EAAc,IAAIhB,KAAKe,gBAAiBC,GAEjE,EACDwE,MAAMC,EAAiBzF,KAAKS,SAASgF,OAAQjF,EAAM,GAAIiC,EAAO,MAC5D,IAAIiD,EAAO1F,KAAKQ,IAAIA,GAAKjB,QAAQ,CAAEkG,WAEnC,MAAME,EAAc1H,EAAmByH,EAAKjF,SAASvC,SAC/C0H,EAA0B,iBAATnD,KAAuBiD,EAAKjF,SAASvC,UAAYyH,GAAelH,EAAiBkH,IAKxG,OAJAD,EACGjD,EACCmD,EAAUF,EAAKpC,KAAKb,EAAMkD,GACxBD,EAAKjD,KAAKA,GAFNiD,EAGHrF,EACLqF,EACGlB,UACAxF,QAAO,CAACC,EAAa2C,IAASA,EAAK3C,EAAKA,EAAIsB,KAAMtB,EAAIwB,WAAWiF,GAEvE,EACDxC,IAAI1C,EAAM,IACR,OAAOR,KAAKwF,MAAM,MAAOhF,EAC1B,EACDqF,OAAOrF,EAAM,IACX,OAAOR,KAAKwF,MAAM,SAAUhF,EAC7B,EACDsF,IAAIrD,EAAMjC,EAAM,IACd,OAAOR,KAAKwF,MAAM,MAAOhF,EAAKiC,EAC/B,EACDsD,KAAKtD,EAAMjC,EAAM,IACf,OAAOR,KAAKwF,MAAM,OAAQhF,EAAKiC,EAChC,EACDuD,MAAMvD,EAAMjC,EAAM,IAChB,OAAOR,KAAKwF,MAAM,QAAShF,EAAKiC,EACjC,EACDwD,KAAKzF,EAAM,IACT,OAAOR,KAAKwF,MAAM,OAAQhF,EAC3B,EACDE,KAAKF,EAAM,IACT,OAAOR,KAAKwF,MAAM,UAAWhF,EAC9B,EACDiC,KAAKyD,GACH,MAAO,IAAKlG,KAAMS,SAAU,IAAKT,KAAKS,SAAUgC,KAAMyD,GACvD,EACD5C,KAAK6C,EAAUR,GACb,MAAMS,EAAqBnI,EAAmB+B,KAAKS,SAASvC,SAC5D,OAAO8B,KAAKgF,QACVW,GACAlH,EAAiB2H,IAAuBA,GL7HrB,oBK+HnB3D,KAAK4D,KAAKC,UAAUH,GACvB,GCnBGI,EAAuD,KAC3D,IAAItC,EAAU,KACVuC,EAAkB,KACtB,MAAO,CACLhF,cAAclB,EAAQf,GACpBiH,EAAkBlG,EAAOK,QAAQjB,SAAS,kBAAmB,EAAO,IAC/DH,EAAgB,QAAKiH,IACxBjH,EAAgB,OAAIiH,EAAgBC,QAEtCxC,EAAU,CACRyC,IAAK,KACLrB,QACMpB,EAAQyC,MACVC,aAAa1C,EAAQyC,KACrBzC,EAAQyC,IAAM,KAEjB,EAEJ,EACDpG,OAAQ,CACNmG,OAAOG,GACL,MAAO,IAAK5G,KAAMS,SAAU,IAAKT,KAAKS,SAAUgG,OAAQG,EAAWH,QACpE,GAEHpG,SAAU,CACRwG,WAAWC,EAAMF,EAAaJ,GAG5B,OAFAvC,EAAQoB,QACRpB,EAAQyC,IAAMG,YAAW,IAAMD,EAAWL,SAASO,GAC5C9G,IACR,EACD4G,aAAe,MAAO,CAACJ,EAAiBxG,KAAO,EAC/C+G,QAAQjE,GAAM,OAAO9C,KAAKiC,MAAM,aAAca,EAAK,GAEtD,EC5IH,SAASkE,EACPC,EACAC,EAAgC,EAChC5H,EACAkE,EAAWlE,EAAOI,SAAS,WAAY,EAAM,GAC7CyH,EAAY,IA0BZ,OAxBA/I,OAAOC,QAAQ4I,GAAY3F,SAAQ,EAAEpC,EAAKR,MACxC,IAAI0I,EAAUD,EAAUnI,QAAO,CAACC,EAAKoI,IACnCpI,EAAM,GAAGA,KAAOoI,KAAcA,GAC7B,MAEH,GADAD,EAAUA,EAAU,GAAGA,KAAWlI,KAASA,EACvCR,aAAiBU,MACnB,IAAK,MAAMkI,KAAQ5I,EACjB8E,EAAS+D,OAAOH,EAASE,QAE3BJ,GACiB,iBAAVxI,GAEHwI,aAAqB9H,OACtB8H,EAAUM,SAAStI,GAOtBsE,EAAS+D,OAAOH,EAAS1I,GAJX,OAAVA,GACFsI,EAAgBtI,EAAOwI,EAAW5H,EAAQkE,EAAU,IAAI2D,EAAWjI,GAItE,IAGIsE,CACT,CAyDA,MAAMA,EAAuC,CAC3ClD,OAAQ,CACNkD,SAASyD,EAAYC,EAAY,GAC/B,OAAOlH,KAAKyC,KAAKuE,EAAgBC,EAAYC,EAAWlH,KAAKW,SAC9D,IC7FL,SAAS8G,EAAiBvI,EAAaR,GACrC,OAAOgJ,mBAAmBxI,GACxB,IACAwI,mBACmB,iBAAVhJ,EACL2H,KAAKC,UAAU5H,GACf,GAAKA,EAEb,CA0CA,MAAMiJ,EAAqC,CACzCrH,OAAQ,CACNqH,QAAQC,GACN,OAAO5H,KACJyC,KAAsB,iBAAVmF,EAAqBA,GA7ClBX,EA6CyCW,EA5CxDxJ,OAAOyJ,KAAKZ,GAChBa,KAAI5I,IACH,MAAMR,EAAQuI,EAAW/H,GACzB,OAAIR,aAAiBU,MACZV,EAAMoJ,KAAIC,GAAKN,EAAiBvI,EAAK6I,KAAIC,KAAK,KAEhDP,EAAiBvI,EAAKR,EAAM,IAEpCsJ,KAAK,OAqCDhD,QAAQ,qCA9CjB,IAAwBiC,CA+CnB,ICxDCgB,EAAU,CAAC5J,EAAS8E,EAAMoC,EAAU2C,KACxC,IAAK7J,EAAQ8J,iBACX,OAAO,EACT,MAAMC,EAAU/J,EAAQ8J,iBAAiBhF,GACzC,OAAIiF,GAAWA,EAAQzD,OAAS,GAC9BY,EAAS6C,EAAQC,UAAU,IACvBH,EAAaI,eACfJ,EAAaI,cAAcnF,GAC7BoF,EAAMC,UAAU3C,OAAO1C,GAEnBoF,EAAMC,UAAUC,KAAO,IACzBF,EAAMG,SAASC,aACXT,EAAaU,sBACfV,EAAaU,wBAGV,GAEF,CAAK,EAgBRL,EAAQ,CACZC,UAAW,IAAIpH,IACfsH,SAAU,KACVG,QAAS,CAAC1F,EAAMoC,EAAUjG,KACxB,IAAK6D,IAASoC,EACZ,OAEF,MAAM2C,EAAe5I,EAAOI,SAAS,cAAe,GApBnC,EAACwI,EAAcY,MAC7BP,EAAMG,UAAYR,GAAgBY,IACrCP,EAAMG,SAAW,IAAII,GAAUzK,IAC7BkK,EAAMC,UAAUlH,SAAQ,CAACiE,EAAUpC,KACjC8E,EAAQ5J,EAAS8E,EAAMoC,EAAU2C,EAAa,GAC9C,IAEAA,EAAaU,sBACfV,EAAaU,wBAEVL,EAAMG,UAaNK,CAAab,EAFA5I,EAAOI,SAAS,sBAAuB,MAKpDuI,EAAQC,EAAc/E,EAAMoC,EAAU2C,KACrCK,EAAMC,UAAUC,KAAO,GACzBF,EAAMG,SAASG,QAAQ,CAAEG,WAAY,CAAC,WAAY,aACpDT,EAAMC,UAAU5E,IAAIT,EAAMoC,IAC3B,GA4DC0D,EAAgD,KAAO,CAC3D5I,SAAU,CACR4I,MAAMnG,GAEJ,OADA9C,KAAKyB,UAAUU,MAAKpC,GAAOwI,EAAMM,QAAQ9I,EAAIS,IAAKsC,EAAI9C,KAAKqD,WAAW1C,WAAUqB,OAAM,SAC/EhC,IACR,KCpHCkJ,EAAoB,CAAC1I,EAAa2I,EAAqB1E,EAAkBnF,KAC7E,IAAI8J,EAEJ,GAAkB,iBAAPD,EACTC,EAAcD,MACT,CACL,MAAME,EAAM/J,EAAOI,SAAS,kBAAmB,EAAM,GACrD,IAAK,MAAMR,KAAOiK,EAChB,GAAIA,EAAGjK,aAAgBE,MACrB,IAAK,MAAMkK,KAAOH,EAAGjK,GACnBmK,EAAI9B,OAAOrI,EAAKoK,QAElBD,EAAI9B,OAAOrI,EAAKiK,EAAGjK,IAGvBkK,EAAcC,EAAIE,UACnB,CAED,MAAM7E,EAAQlE,EAAIkE,MAAM,KAExB,OAAK0E,EAGD3E,GAAWC,EAAMC,OAAS,EACrBD,EAAM,GAAK,IAAM0E,EAEnB5I,EAAM,IAAM4I,EALV3E,EAAUC,EAAM,GAAKlE,CAKA,EAiE1B4I,EAA6C,CACjD9I,OAAQ,CACNkJ,MAAML,EAAI1E,EAAU,GAClB,MAAO,IAAKzE,KAAMO,KAAM2I,EAAkBlJ,KAAKO,KAAM4I,EAAI1E,EAASzE,KAAKW,SACxE,IC7FL,SAAS8I,EAAQlJ,EAAO,GAAIE,EAAW,CAAA,GACrC,MAAO,IAAK8D,EAAMhE,OAAME,YACrBc,MAAMmI,KACNnI,MAAMoI,GACNpI,MAAMqI,GACNrI,MAAMsI,KACNtI,MAAMuI,EACX,QAEAL,EAAiB,QAAIA,EACrBA,EAAQlK,iBT6BmBA,EAAiBkF,EAAU,GACpDnF,EAAOC,QAAUkF,EAAUlF,EAAUX,EAAIU,EAAOC,QAASA,EAC3D,ES9BAkK,EAAQjK,UT8EF,SAAuBA,GAC3BF,EAAOE,UAAYA,CACrB,ES/EAiK,EAAQhK,mBTqDqBA,EAAmBgF,EAAU,GACxDnF,EAAOG,UAAYgF,EAAUhF,EAAYb,EAAIU,EAAOG,UAAWA,EACjE"}