diff --git a/.gitignore b/.gitignore index e4f59085..1ad6156a 100644 --- a/.gitignore +++ b/.gitignore @@ -30,6 +30,7 @@ node_modules/ # Ignore compiled assets public/assets/ +dist/ # Ignore dev utils cache .phpunit.cache diff --git a/app/assets/composables/index.ts b/app/assets/composables/index.ts new file mode 100644 index 00000000..6267d49b --- /dev/null +++ b/app/assets/composables/index.ts @@ -0,0 +1 @@ +export { useSprunjer } from './sprunjer' diff --git a/app/assets/composables/sprunjer.ts b/app/assets/composables/sprunjer.ts index daec1983..f134c88f 100644 --- a/app/assets/composables/sprunjer.ts +++ b/app/assets/composables/sprunjer.ts @@ -1,36 +1,47 @@ -import { ref, toValue, watchEffect, computed, type Ref, type ComputedRef } from 'vue' +/** + * Sprunjer Composable + * + * A composable function that fetches data from a Sprunjer API and provides + * all necessary function like pagination, sorting and filtering. + * + * Pass the URL of the Sprunjer API to the function, and it will fetch the data. + * A watcher will refetch the data whenever any parameters change. + * + * Params: + * @param {String} dataUrl - The URL of the Sprunjer API + * @param {Object} defaultSorts - An object of default sorts + * @param {Object} defaultFilters - An object of default filters + * @param {Number} defaultSize - The default number of items per page + * @param {Number} defaultPage - The default page number + * + * Exports: + * - size: The number of items per page + * - page: The current page number + * - sorts: An object of sorts + * - filters: An object of filters + * - data: The raw data from the API + * - fetch: A function to fetch the data + * - loading: A boolean indicating if the data is loading + * - totalPages: The total number of pages + * - downloadCsv: A function to download the data as a CSV file + * - countFiltered: The total number of items after filtering + * - count: The total number of items + * - rows: The rows of data + * - first: The index of the first item on the current page + * - last: The index of the last item on the current page + * - toggleSort: A function to toggle the sort order of a column + */ +import { ref, toValue, watchEffect, computed } from 'vue' import axios from 'axios' +import type { AssociativeArray, Sprunjer } from '../interfaces' -interface AssociativeArray { - [key: string]: string | null -} - -interface Sprunjer { - dataUrl: any - size: Ref - page: Ref - totalPages: ComputedRef - countFiltered: ComputedRef - first: ComputedRef - last: ComputedRef - sorts: Ref - filters: Ref - data: Ref - loading: Ref - count: ComputedRef - rows: ComputedRef - fetch: () => void - toggleSort: (column: string) => void - downloadCsv: () => void -} - -const useSprunjer = ( +export const useSprunjer = ( dataUrl: any, defaultSorts: AssociativeArray = {}, defaultFilters: AssociativeArray = {}, defaultSize: number = 10, defaultPage: number = 0 -) => { +): Sprunjer => { // Sprunje parameters const size = ref(defaultSize) const page = ref(defaultPage) @@ -151,5 +162,3 @@ const useSprunjer = ( toggleSort } } - -export { useSprunjer, type Sprunjer, type AssociativeArray } diff --git a/app/assets/plugin.ts b/app/assets/index.ts similarity index 68% rename from app/assets/plugin.ts rename to app/assets/index.ts index 60c4a704..8aa9da74 100644 --- a/app/assets/plugin.ts +++ b/app/assets/index.ts @@ -1,4 +1,4 @@ -import { useConfigStore } from './stores/config' +import { useConfigStore } from './stores' export default { install: () => { diff --git a/app/assets/interfaces/alerts.ts b/app/assets/interfaces/alerts.ts index fa509465..9727ce97 100644 --- a/app/assets/interfaces/alerts.ts +++ b/app/assets/interfaces/alerts.ts @@ -1,3 +1,10 @@ +/** + * Alert Interface + * + * Represents a common interface for alert components. This interface is used by + * API when an error occurs or a successful event occurs, and consumed by the + * interface. + */ import { Severity } from './severity' export interface AlertInterface { diff --git a/app/assets/interfaces/common.ts b/app/assets/interfaces/common.ts new file mode 100644 index 00000000..cf5e62c1 --- /dev/null +++ b/app/assets/interfaces/common.ts @@ -0,0 +1,8 @@ +/** + * Common Interfaces + * + * Returns miscellaneous interfaces that are used throughout the application. + */ +export interface AssociativeArray { + [key: string]: string | null +} diff --git a/app/assets/interfaces/index.ts b/app/assets/interfaces/index.ts index 36d5b2fc..8c53fe2c 100644 --- a/app/assets/interfaces/index.ts +++ b/app/assets/interfaces/index.ts @@ -1,4 +1,4 @@ -import type { AlertInterface } from './alerts' -import { Severity } from './severity' - -export { type AlertInterface, Severity } +export type { AlertInterface } from './alerts' +export type { AssociativeArray } from './common' +export { Severity } from './severity' +export type { Sprunjer } from './sprunjer' diff --git a/app/assets/interfaces/sprunjer.ts b/app/assets/interfaces/sprunjer.ts new file mode 100644 index 00000000..eb0a0440 --- /dev/null +++ b/app/assets/interfaces/sprunjer.ts @@ -0,0 +1,26 @@ +/** + * Sprunjer Interface + * + * Represents the interface for the Sprunjer composable. + */ +import type { Ref, ComputedRef } from 'vue' +import type { AssociativeArray } from '../interfaces' + +export interface Sprunjer { + dataUrl: any + size: Ref + page: Ref + sorts: Ref + filters: Ref + data: Ref + fetch: () => void + loading: Ref + totalPages: ComputedRef + downloadCsv: () => void + countFiltered: ComputedRef + count: ComputedRef + rows: ComputedRef + first: ComputedRef + last: ComputedRef + toggleSort: (column: string) => void +} diff --git a/app/assets/stores/config.ts b/app/assets/stores/config.ts index 39d30e45..0e5774fa 100644 --- a/app/assets/stores/config.ts +++ b/app/assets/stores/config.ts @@ -1,3 +1,9 @@ +/** + * Config Store + * + * This store is used to access the configuration of the application from the + * API. + */ import { defineStore } from 'pinia' import axios from 'axios' import { getProperty } from 'dot-prop' diff --git a/app/assets/stores/index.ts b/app/assets/stores/index.ts new file mode 100644 index 00000000..fb9059cb --- /dev/null +++ b/app/assets/stores/index.ts @@ -0,0 +1 @@ +export { useConfigStore } from './config' diff --git a/app/assets/tests/plugin.test.ts b/app/assets/tests/plugin.test.ts index 5bb6d1f7..e1b026e7 100644 --- a/app/assets/tests/plugin.test.ts +++ b/app/assets/tests/plugin.test.ts @@ -1,6 +1,6 @@ import { describe, expect, test, vi } from 'vitest' import { useConfigStore } from '../stores/config' -import plugin from '../plugin' +import plugin from '../' import * as Config from '../stores/config' const mockConfigStore = { diff --git a/dist/axios-CXDYiOMX.js b/dist/axios-CXDYiOMX.js deleted file mode 100644 index b754127f..00000000 --- a/dist/axios-CXDYiOMX.js +++ /dev/null @@ -1,1704 +0,0 @@ -function Ne(e, t) { - return function() { - return e.apply(t, arguments); - }; -} -const { toString: Ze } = Object.prototype, { getPrototypeOf: ce } = Object, $ = /* @__PURE__ */ ((e) => (t) => { - const n = Ze.call(t); - return e[n] || (e[n] = n.slice(8, -1).toLowerCase()); -})(/* @__PURE__ */ Object.create(null)), C = (e) => (e = e.toLowerCase(), (t) => $(t) === e), v = (e) => (t) => typeof t === e, { isArray: U } = Array, q = v("undefined"); -function Ye(e) { - return e !== null && !q(e) && e.constructor !== null && !q(e.constructor) && x(e.constructor.isBuffer) && e.constructor.isBuffer(e); -} -const Pe = C("ArrayBuffer"); -function et(e) { - let t; - return typeof ArrayBuffer < "u" && ArrayBuffer.isView ? t = ArrayBuffer.isView(e) : t = e && e.buffer && Pe(e.buffer), t; -} -const tt = v("string"), x = v("function"), _e = v("number"), K = (e) => e !== null && typeof e == "object", nt = (e) => e === !0 || e === !1, z = (e) => { - if ($(e) !== "object") - return !1; - const t = ce(e); - return (t === null || t === Object.prototype || Object.getPrototypeOf(t) === null) && !(Symbol.toStringTag in e) && !(Symbol.iterator in e); -}, rt = C("Date"), st = C("File"), ot = C("Blob"), it = C("FileList"), at = (e) => K(e) && x(e.pipe), ct = (e) => { - let t; - return e && (typeof FormData == "function" && e instanceof FormData || x(e.append) && ((t = $(e)) === "formdata" || // detect form-data instance - t === "object" && x(e.toString) && e.toString() === "[object FormData]")); -}, ut = C("URLSearchParams"), [lt, ft, dt, pt] = ["ReadableStream", "Request", "Response", "Headers"].map(C), ht = (e) => e.trim ? e.trim() : e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g, ""); -function I(e, t, { allOwnKeys: n = !1 } = {}) { - if (e === null || typeof e > "u") - return; - let r, s; - if (typeof e != "object" && (e = [e]), U(e)) - for (r = 0, s = e.length; r < s; r++) - t.call(null, e[r], r, e); - else { - const o = n ? Object.getOwnPropertyNames(e) : Object.keys(e), i = o.length; - let c; - for (r = 0; r < i; r++) - c = o[r], t.call(null, e[c], c, e); - } -} -function Fe(e, t) { - t = t.toLowerCase(); - const n = Object.keys(e); - let r = n.length, s; - for (; r-- > 0; ) - if (s = n[r], t === s.toLowerCase()) - return s; - return null; -} -const L = typeof globalThis < "u" ? globalThis : typeof self < "u" ? self : typeof window < "u" ? window : global, Le = (e) => !q(e) && e !== L; -function te() { - const { caseless: e } = Le(this) && this || {}, t = {}, n = (r, s) => { - const o = e && Fe(t, s) || s; - z(t[o]) && z(r) ? t[o] = te(t[o], r) : z(r) ? t[o] = te({}, r) : U(r) ? t[o] = r.slice() : t[o] = r; - }; - for (let r = 0, s = arguments.length; r < s; r++) - arguments[r] && I(arguments[r], n); - return t; -} -const mt = (e, t, n, { allOwnKeys: r } = {}) => (I(t, (s, o) => { - n && x(s) ? e[o] = Ne(s, n) : e[o] = s; -}, { allOwnKeys: r }), e), yt = (e) => (e.charCodeAt(0) === 65279 && (e = e.slice(1)), e), bt = (e, t, n, r) => { - e.prototype = Object.create(t.prototype, r), e.prototype.constructor = e, Object.defineProperty(e, "super", { - value: t.prototype - }), n && Object.assign(e.prototype, n); -}, wt = (e, t, n, r) => { - let s, o, i; - const c = {}; - if (t = t || {}, e == null) return t; - do { - for (s = Object.getOwnPropertyNames(e), o = s.length; o-- > 0; ) - i = s[o], (!r || r(i, e, t)) && !c[i] && (t[i] = e[i], c[i] = !0); - e = n !== !1 && ce(e); - } while (e && (!n || n(e, t)) && e !== Object.prototype); - return t; -}, Et = (e, t, n) => { - e = String(e), (n === void 0 || n > e.length) && (n = e.length), n -= t.length; - const r = e.indexOf(t, n); - return r !== -1 && r === n; -}, Rt = (e) => { - if (!e) return null; - if (U(e)) return e; - let t = e.length; - if (!_e(t)) return null; - const n = new Array(t); - for (; t-- > 0; ) - n[t] = e[t]; - return n; -}, St = /* @__PURE__ */ ((e) => (t) => e && t instanceof e)(typeof Uint8Array < "u" && ce(Uint8Array)), gt = (e, t) => { - const r = (e && e[Symbol.iterator]).call(e); - let s; - for (; (s = r.next()) && !s.done; ) { - const o = s.value; - t.call(e, o[0], o[1]); - } -}, Ot = (e, t) => { - let n; - const r = []; - for (; (n = e.exec(t)) !== null; ) - r.push(n); - return r; -}, Tt = C("HTMLFormElement"), At = (e) => e.toLowerCase().replace( - /[-_\s]([a-z\d])(\w*)/g, - function(n, r, s) { - return r.toUpperCase() + s; - } -), he = (({ hasOwnProperty: e }) => (t, n) => e.call(t, n))(Object.prototype), xt = C("RegExp"), Be = (e, t) => { - const n = Object.getOwnPropertyDescriptors(e), r = {}; - I(n, (s, o) => { - let i; - (i = t(s, o, e)) !== !1 && (r[o] = i || s); - }), Object.defineProperties(e, r); -}, Ct = (e) => { - Be(e, (t, n) => { - if (x(e) && ["arguments", "caller", "callee"].indexOf(n) !== -1) - return !1; - const r = e[n]; - if (x(r)) { - if (t.enumerable = !1, "writable" in t) { - t.writable = !1; - return; - } - t.set || (t.set = () => { - throw Error("Can not rewrite read-only method '" + n + "'"); - }); - } - }); -}, Nt = (e, t) => { - const n = {}, r = (s) => { - s.forEach((o) => { - n[o] = !0; - }); - }; - return U(e) ? r(e) : r(String(e).split(t)), n; -}, Pt = () => { -}, _t = (e, t) => e != null && Number.isFinite(e = +e) ? e : t, Q = "abcdefghijklmnopqrstuvwxyz", me = "0123456789", De = { - DIGIT: me, - ALPHA: Q, - ALPHA_DIGIT: Q + Q.toUpperCase() + me -}, Ft = (e = 16, t = De.ALPHA_DIGIT) => { - let n = ""; - const { length: r } = t; - for (; e--; ) - n += t[Math.random() * r | 0]; - return n; -}; -function Lt(e) { - return !!(e && x(e.append) && e[Symbol.toStringTag] === "FormData" && e[Symbol.iterator]); -} -const Bt = (e) => { - const t = new Array(10), n = (r, s) => { - if (K(r)) { - if (t.indexOf(r) >= 0) - return; - if (!("toJSON" in r)) { - t[s] = r; - const o = U(r) ? [] : {}; - return I(r, (i, c) => { - const f = n(i, s + 1); - !q(f) && (o[c] = f); - }), t[s] = void 0, o; - } - } - return r; - }; - return n(e, 0); -}, Dt = C("AsyncFunction"), Ut = (e) => e && (K(e) || x(e)) && x(e.then) && x(e.catch), Ue = ((e, t) => e ? setImmediate : t ? ((n, r) => (L.addEventListener("message", ({ source: s, data: o }) => { - s === L && o === n && r.length && r.shift()(); -}, !1), (s) => { - r.push(s), L.postMessage(n, "*"); -}))(`axios@${Math.random()}`, []) : (n) => setTimeout(n))( - typeof setImmediate == "function", - x(L.postMessage) -), kt = typeof queueMicrotask < "u" ? queueMicrotask.bind(L) : typeof process < "u" && process.nextTick || Ue, a = { - isArray: U, - isArrayBuffer: Pe, - isBuffer: Ye, - isFormData: ct, - isArrayBufferView: et, - isString: tt, - isNumber: _e, - isBoolean: nt, - isObject: K, - isPlainObject: z, - isReadableStream: lt, - isRequest: ft, - isResponse: dt, - isHeaders: pt, - isUndefined: q, - isDate: rt, - isFile: st, - isBlob: ot, - isRegExp: xt, - isFunction: x, - isStream: at, - isURLSearchParams: ut, - isTypedArray: St, - isFileList: it, - forEach: I, - merge: te, - extend: mt, - trim: ht, - stripBOM: yt, - inherits: bt, - toFlatObject: wt, - kindOf: $, - kindOfTest: C, - endsWith: Et, - toArray: Rt, - forEachEntry: gt, - matchAll: Ot, - isHTMLForm: Tt, - hasOwnProperty: he, - hasOwnProp: he, - // an alias to avoid ESLint no-prototype-builtins detection - reduceDescriptors: Be, - freezeMethods: Ct, - toObjectSet: Nt, - toCamelCase: At, - noop: Pt, - toFiniteNumber: _t, - findKey: Fe, - global: L, - isContextDefined: Le, - ALPHABET: De, - generateString: Ft, - isSpecCompliantForm: Lt, - toJSONObject: Bt, - isAsyncFn: Dt, - isThenable: Ut, - setImmediate: Ue, - asap: kt -}; -function m(e, t, n, r, s) { - Error.call(this), Error.captureStackTrace ? Error.captureStackTrace(this, this.constructor) : this.stack = new Error().stack, this.message = e, this.name = "AxiosError", t && (this.code = t), n && (this.config = n), r && (this.request = r), s && (this.response = s, this.status = s.status ? s.status : null); -} -a.inherits(m, Error, { - toJSON: function() { - return { - // Standard - message: this.message, - name: this.name, - // Microsoft - description: this.description, - number: this.number, - // Mozilla - fileName: this.fileName, - lineNumber: this.lineNumber, - columnNumber: this.columnNumber, - stack: this.stack, - // Axios - config: a.toJSONObject(this.config), - code: this.code, - status: this.status - }; - } -}); -const ke = m.prototype, je = {}; -[ - "ERR_BAD_OPTION_VALUE", - "ERR_BAD_OPTION", - "ECONNABORTED", - "ETIMEDOUT", - "ERR_NETWORK", - "ERR_FR_TOO_MANY_REDIRECTS", - "ERR_DEPRECATED", - "ERR_BAD_RESPONSE", - "ERR_BAD_REQUEST", - "ERR_CANCELED", - "ERR_NOT_SUPPORT", - "ERR_INVALID_URL" - // eslint-disable-next-line func-names -].forEach((e) => { - je[e] = { value: e }; -}); -Object.defineProperties(m, je); -Object.defineProperty(ke, "isAxiosError", { value: !0 }); -m.from = (e, t, n, r, s, o) => { - const i = Object.create(ke); - return a.toFlatObject(e, i, function(f) { - return f !== Error.prototype; - }, (c) => c !== "isAxiosError"), m.call(i, e.message, t, n, r, s), i.cause = e, i.name = e.name, o && Object.assign(i, o), i; -}; -const jt = null; -function ne(e) { - return a.isPlainObject(e) || a.isArray(e); -} -function qe(e) { - return a.endsWith(e, "[]") ? e.slice(0, -2) : e; -} -function ye(e, t, n) { - return e ? e.concat(t).map(function(s, o) { - return s = qe(s), !n && o ? "[" + s + "]" : s; - }).join(n ? "." : "") : t; -} -function qt(e) { - return a.isArray(e) && !e.some(ne); -} -const It = a.toFlatObject(a, {}, null, function(t) { - return /^is[A-Z]/.test(t); -}); -function G(e, t, n) { - if (!a.isObject(e)) - throw new TypeError("target must be an object"); - t = t || new FormData(), n = a.toFlatObject(n, { - metaTokens: !0, - dots: !1, - indexes: !1 - }, !1, function(y, h) { - return !a.isUndefined(h[y]); - }); - const r = n.metaTokens, s = n.visitor || l, o = n.dots, i = n.indexes, f = (n.Blob || typeof Blob < "u" && Blob) && a.isSpecCompliantForm(t); - if (!a.isFunction(s)) - throw new TypeError("visitor must be a function"); - function u(p) { - if (p === null) return ""; - if (a.isDate(p)) - return p.toISOString(); - if (!f && a.isBlob(p)) - throw new m("Blob is not supported. Use a Buffer instead."); - return a.isArrayBuffer(p) || a.isTypedArray(p) ? f && typeof Blob == "function" ? new Blob([p]) : Buffer.from(p) : p; - } - function l(p, y, h) { - let w = p; - if (p && !h && typeof p == "object") { - if (a.endsWith(y, "{}")) - y = r ? y : y.slice(0, -2), p = JSON.stringify(p); - else if (a.isArray(p) && qt(p) || (a.isFileList(p) || a.endsWith(y, "[]")) && (w = a.toArray(p))) - return y = qe(y), w.forEach(function(g, N) { - !(a.isUndefined(g) || g === null) && t.append( - // eslint-disable-next-line no-nested-ternary - i === !0 ? ye([y], N, o) : i === null ? y : y + "[]", - u(g) - ); - }), !1; - } - return ne(p) ? !0 : (t.append(ye(h, y, o), u(p)), !1); - } - const d = [], b = Object.assign(It, { - defaultVisitor: l, - convertValue: u, - isVisitable: ne - }); - function E(p, y) { - if (!a.isUndefined(p)) { - if (d.indexOf(p) !== -1) - throw Error("Circular reference detected in " + y.join(".")); - d.push(p), a.forEach(p, function(w, R) { - (!(a.isUndefined(w) || w === null) && s.call( - t, - w, - a.isString(R) ? R.trim() : R, - y, - b - )) === !0 && E(w, y ? y.concat(R) : [R]); - }), d.pop(); - } - } - if (!a.isObject(e)) - throw new TypeError("data must be an object"); - return E(e), t; -} -function be(e) { - const t = { - "!": "%21", - "'": "%27", - "(": "%28", - ")": "%29", - "~": "%7E", - "%20": "+", - "%00": "\0" - }; - return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g, function(r) { - return t[r]; - }); -} -function ue(e, t) { - this._pairs = [], e && G(e, this, t); -} -const Ie = ue.prototype; -Ie.append = function(t, n) { - this._pairs.push([t, n]); -}; -Ie.toString = function(t) { - const n = t ? function(r) { - return t.call(this, r, be); - } : be; - return this._pairs.map(function(s) { - return n(s[0]) + "=" + n(s[1]); - }, "").join("&"); -}; -function Ht(e) { - return encodeURIComponent(e).replace(/%3A/gi, ":").replace(/%24/g, "$").replace(/%2C/gi, ",").replace(/%20/g, "+").replace(/%5B/gi, "[").replace(/%5D/gi, "]"); -} -function He(e, t, n) { - if (!t) - return e; - const r = n && n.encode || Ht, s = n && n.serialize; - let o; - if (s ? o = s(t, n) : o = a.isURLSearchParams(t) ? t.toString() : new ue(t, n).toString(r), o) { - const i = e.indexOf("#"); - i !== -1 && (e = e.slice(0, i)), e += (e.indexOf("?") === -1 ? "?" : "&") + o; - } - return e; -} -class we { - constructor() { - this.handlers = []; - } - /** - * Add a new interceptor to the stack - * - * @param {Function} fulfilled The function to handle `then` for a `Promise` - * @param {Function} rejected The function to handle `reject` for a `Promise` - * - * @return {Number} An ID used to remove interceptor later - */ - use(t, n, r) { - return this.handlers.push({ - fulfilled: t, - rejected: n, - synchronous: r ? r.synchronous : !1, - runWhen: r ? r.runWhen : null - }), this.handlers.length - 1; - } - /** - * Remove an interceptor from the stack - * - * @param {Number} id The ID that was returned by `use` - * - * @returns {Boolean} `true` if the interceptor was removed, `false` otherwise - */ - eject(t) { - this.handlers[t] && (this.handlers[t] = null); - } - /** - * Clear all interceptors from the stack - * - * @returns {void} - */ - clear() { - this.handlers && (this.handlers = []); - } - /** - * Iterate over all the registered interceptors - * - * This method is particularly useful for skipping over any - * interceptors that may have become `null` calling `eject`. - * - * @param {Function} fn The function to call for each interceptor - * - * @returns {void} - */ - forEach(t) { - a.forEach(this.handlers, function(r) { - r !== null && t(r); - }); - } -} -const Me = { - silentJSONParsing: !0, - forcedJSONParsing: !0, - clarifyTimeoutError: !1 -}, Mt = typeof URLSearchParams < "u" ? URLSearchParams : ue, zt = typeof FormData < "u" ? FormData : null, Jt = typeof Blob < "u" ? Blob : null, Vt = { - isBrowser: !0, - classes: { - URLSearchParams: Mt, - FormData: zt, - Blob: Jt - }, - protocols: ["http", "https", "file", "blob", "url", "data"] -}, le = typeof window < "u" && typeof document < "u", re = typeof navigator == "object" && navigator || void 0, Wt = le && (!re || ["ReactNative", "NativeScript", "NS"].indexOf(re.product) < 0), $t = typeof WorkerGlobalScope < "u" && // eslint-disable-next-line no-undef -self instanceof WorkerGlobalScope && typeof self.importScripts == "function", vt = le && window.location.href || "http://localhost", Kt = /* @__PURE__ */ Object.freeze(/* @__PURE__ */ Object.defineProperty({ - __proto__: null, - hasBrowserEnv: le, - hasStandardBrowserEnv: Wt, - hasStandardBrowserWebWorkerEnv: $t, - navigator: re, - origin: vt -}, Symbol.toStringTag, { value: "Module" })), T = { - ...Kt, - ...Vt -}; -function Gt(e, t) { - return G(e, new T.classes.URLSearchParams(), Object.assign({ - visitor: function(n, r, s, o) { - return T.isNode && a.isBuffer(n) ? (this.append(r, n.toString("base64")), !1) : o.defaultVisitor.apply(this, arguments); - } - }, t)); -} -function Xt(e) { - return a.matchAll(/\w+|\[(\w*)]/g, e).map((t) => t[0] === "[]" ? "" : t[1] || t[0]); -} -function Qt(e) { - const t = {}, n = Object.keys(e); - let r; - const s = n.length; - let o; - for (r = 0; r < s; r++) - o = n[r], t[o] = e[o]; - return t; -} -function ze(e) { - function t(n, r, s, o) { - let i = n[o++]; - if (i === "__proto__") return !0; - const c = Number.isFinite(+i), f = o >= n.length; - return i = !i && a.isArray(s) ? s.length : i, f ? (a.hasOwnProp(s, i) ? s[i] = [s[i], r] : s[i] = r, !c) : ((!s[i] || !a.isObject(s[i])) && (s[i] = []), t(n, r, s[i], o) && a.isArray(s[i]) && (s[i] = Qt(s[i])), !c); - } - if (a.isFormData(e) && a.isFunction(e.entries)) { - const n = {}; - return a.forEachEntry(e, (r, s) => { - t(Xt(r), s, n, 0); - }), n; - } - return null; -} -function Zt(e, t, n) { - if (a.isString(e)) - try { - return (t || JSON.parse)(e), a.trim(e); - } catch (r) { - if (r.name !== "SyntaxError") - throw r; - } - return (0, JSON.stringify)(e); -} -const H = { - transitional: Me, - adapter: ["xhr", "http", "fetch"], - transformRequest: [function(t, n) { - const r = n.getContentType() || "", s = r.indexOf("application/json") > -1, o = a.isObject(t); - if (o && a.isHTMLForm(t) && (t = new FormData(t)), a.isFormData(t)) - return s ? JSON.stringify(ze(t)) : t; - if (a.isArrayBuffer(t) || a.isBuffer(t) || a.isStream(t) || a.isFile(t) || a.isBlob(t) || a.isReadableStream(t)) - return t; - if (a.isArrayBufferView(t)) - return t.buffer; - if (a.isURLSearchParams(t)) - return n.setContentType("application/x-www-form-urlencoded;charset=utf-8", !1), t.toString(); - let c; - if (o) { - if (r.indexOf("application/x-www-form-urlencoded") > -1) - return Gt(t, this.formSerializer).toString(); - if ((c = a.isFileList(t)) || r.indexOf("multipart/form-data") > -1) { - const f = this.env && this.env.FormData; - return G( - c ? { "files[]": t } : t, - f && new f(), - this.formSerializer - ); - } - } - return o || s ? (n.setContentType("application/json", !1), Zt(t)) : t; - }], - transformResponse: [function(t) { - const n = this.transitional || H.transitional, r = n && n.forcedJSONParsing, s = this.responseType === "json"; - if (a.isResponse(t) || a.isReadableStream(t)) - return t; - if (t && a.isString(t) && (r && !this.responseType || s)) { - const i = !(n && n.silentJSONParsing) && s; - try { - return JSON.parse(t); - } catch (c) { - if (i) - throw c.name === "SyntaxError" ? m.from(c, m.ERR_BAD_RESPONSE, this, null, this.response) : c; - } - } - return t; - }], - /** - * A timeout in milliseconds to abort a request. If set to 0 (default) a - * timeout is not created. - */ - timeout: 0, - xsrfCookieName: "XSRF-TOKEN", - xsrfHeaderName: "X-XSRF-TOKEN", - maxContentLength: -1, - maxBodyLength: -1, - env: { - FormData: T.classes.FormData, - Blob: T.classes.Blob - }, - validateStatus: function(t) { - return t >= 200 && t < 300; - }, - headers: { - common: { - Accept: "application/json, text/plain, */*", - "Content-Type": void 0 - } - } -}; -a.forEach(["delete", "get", "head", "post", "put", "patch"], (e) => { - H.headers[e] = {}; -}); -const Yt = a.toObjectSet([ - "age", - "authorization", - "content-length", - "content-type", - "etag", - "expires", - "from", - "host", - "if-modified-since", - "if-unmodified-since", - "last-modified", - "location", - "max-forwards", - "proxy-authorization", - "referer", - "retry-after", - "user-agent" -]), en = (e) => { - const t = {}; - let n, r, s; - return e && e.split(` -`).forEach(function(i) { - s = i.indexOf(":"), n = i.substring(0, s).trim().toLowerCase(), r = i.substring(s + 1).trim(), !(!n || t[n] && Yt[n]) && (n === "set-cookie" ? t[n] ? t[n].push(r) : t[n] = [r] : t[n] = t[n] ? t[n] + ", " + r : r); - }), t; -}, Ee = Symbol("internals"); -function j(e) { - return e && String(e).trim().toLowerCase(); -} -function J(e) { - return e === !1 || e == null ? e : a.isArray(e) ? e.map(J) : String(e); -} -function tn(e) { - const t = /* @__PURE__ */ Object.create(null), n = /([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g; - let r; - for (; r = n.exec(e); ) - t[r[1]] = r[2]; - return t; -} -const nn = (e) => /^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim()); -function Z(e, t, n, r, s) { - if (a.isFunction(r)) - return r.call(this, t, n); - if (s && (t = n), !!a.isString(t)) { - if (a.isString(r)) - return t.indexOf(r) !== -1; - if (a.isRegExp(r)) - return r.test(t); - } -} -function rn(e) { - return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g, (t, n, r) => n.toUpperCase() + r); -} -function sn(e, t) { - const n = a.toCamelCase(" " + t); - ["get", "set", "has"].forEach((r) => { - Object.defineProperty(e, r + n, { - value: function(s, o, i) { - return this[r].call(this, t, s, o, i); - }, - configurable: !0 - }); - }); -} -class A { - constructor(t) { - t && this.set(t); - } - set(t, n, r) { - const s = this; - function o(c, f, u) { - const l = j(f); - if (!l) - throw new Error("header name must be a non-empty string"); - const d = a.findKey(s, l); - (!d || s[d] === void 0 || u === !0 || u === void 0 && s[d] !== !1) && (s[d || f] = J(c)); - } - const i = (c, f) => a.forEach(c, (u, l) => o(u, l, f)); - if (a.isPlainObject(t) || t instanceof this.constructor) - i(t, n); - else if (a.isString(t) && (t = t.trim()) && !nn(t)) - i(en(t), n); - else if (a.isHeaders(t)) - for (const [c, f] of t.entries()) - o(f, c, r); - else - t != null && o(n, t, r); - return this; - } - get(t, n) { - if (t = j(t), t) { - const r = a.findKey(this, t); - if (r) { - const s = this[r]; - if (!n) - return s; - if (n === !0) - return tn(s); - if (a.isFunction(n)) - return n.call(this, s, r); - if (a.isRegExp(n)) - return n.exec(s); - throw new TypeError("parser must be boolean|regexp|function"); - } - } - } - has(t, n) { - if (t = j(t), t) { - const r = a.findKey(this, t); - return !!(r && this[r] !== void 0 && (!n || Z(this, this[r], r, n))); - } - return !1; - } - delete(t, n) { - const r = this; - let s = !1; - function o(i) { - if (i = j(i), i) { - const c = a.findKey(r, i); - c && (!n || Z(r, r[c], c, n)) && (delete r[c], s = !0); - } - } - return a.isArray(t) ? t.forEach(o) : o(t), s; - } - clear(t) { - const n = Object.keys(this); - let r = n.length, s = !1; - for (; r--; ) { - const o = n[r]; - (!t || Z(this, this[o], o, t, !0)) && (delete this[o], s = !0); - } - return s; - } - normalize(t) { - const n = this, r = {}; - return a.forEach(this, (s, o) => { - const i = a.findKey(r, o); - if (i) { - n[i] = J(s), delete n[o]; - return; - } - const c = t ? rn(o) : String(o).trim(); - c !== o && delete n[o], n[c] = J(s), r[c] = !0; - }), this; - } - concat(...t) { - return this.constructor.concat(this, ...t); - } - toJSON(t) { - const n = /* @__PURE__ */ Object.create(null); - return a.forEach(this, (r, s) => { - r != null && r !== !1 && (n[s] = t && a.isArray(r) ? r.join(", ") : r); - }), n; - } - [Symbol.iterator]() { - return Object.entries(this.toJSON())[Symbol.iterator](); - } - toString() { - return Object.entries(this.toJSON()).map(([t, n]) => t + ": " + n).join(` -`); - } - get [Symbol.toStringTag]() { - return "AxiosHeaders"; - } - static from(t) { - return t instanceof this ? t : new this(t); - } - static concat(t, ...n) { - const r = new this(t); - return n.forEach((s) => r.set(s)), r; - } - static accessor(t) { - const r = (this[Ee] = this[Ee] = { - accessors: {} - }).accessors, s = this.prototype; - function o(i) { - const c = j(i); - r[c] || (sn(s, i), r[c] = !0); - } - return a.isArray(t) ? t.forEach(o) : o(t), this; - } -} -A.accessor(["Content-Type", "Content-Length", "Accept", "Accept-Encoding", "User-Agent", "Authorization"]); -a.reduceDescriptors(A.prototype, ({ value: e }, t) => { - let n = t[0].toUpperCase() + t.slice(1); - return { - get: () => e, - set(r) { - this[n] = r; - } - }; -}); -a.freezeMethods(A); -function Y(e, t) { - const n = this || H, r = t || n, s = A.from(r.headers); - let o = r.data; - return a.forEach(e, function(c) { - o = c.call(n, o, s.normalize(), t ? t.status : void 0); - }), s.normalize(), o; -} -function Je(e) { - return !!(e && e.__CANCEL__); -} -function k(e, t, n) { - m.call(this, e ?? "canceled", m.ERR_CANCELED, t, n), this.name = "CanceledError"; -} -a.inherits(k, m, { - __CANCEL__: !0 -}); -function Ve(e, t, n) { - const r = n.config.validateStatus; - !n.status || !r || r(n.status) ? e(n) : t(new m( - "Request failed with status code " + n.status, - [m.ERR_BAD_REQUEST, m.ERR_BAD_RESPONSE][Math.floor(n.status / 100) - 4], - n.config, - n.request, - n - )); -} -function on(e) { - const t = /^([-+\w]{1,25})(:?\/\/|:)/.exec(e); - return t && t[1] || ""; -} -function an(e, t) { - e = e || 10; - const n = new Array(e), r = new Array(e); - let s = 0, o = 0, i; - return t = t !== void 0 ? t : 1e3, function(f) { - const u = Date.now(), l = r[o]; - i || (i = u), n[s] = f, r[s] = u; - let d = o, b = 0; - for (; d !== s; ) - b += n[d++], d = d % e; - if (s = (s + 1) % e, s === o && (o = (o + 1) % e), u - i < t) - return; - const E = l && u - l; - return E ? Math.round(b * 1e3 / E) : void 0; - }; -} -function cn(e, t) { - let n = 0, r = 1e3 / t, s, o; - const i = (u, l = Date.now()) => { - n = l, s = null, o && (clearTimeout(o), o = null), e.apply(null, u); - }; - return [(...u) => { - const l = Date.now(), d = l - n; - d >= r ? i(u, l) : (s = u, o || (o = setTimeout(() => { - o = null, i(s); - }, r - d))); - }, () => s && i(s)]; -} -const V = (e, t, n = 3) => { - let r = 0; - const s = an(50, 250); - return cn((o) => { - const i = o.loaded, c = o.lengthComputable ? o.total : void 0, f = i - r, u = s(f), l = i <= c; - r = i; - const d = { - loaded: i, - total: c, - progress: c ? i / c : void 0, - bytes: f, - rate: u || void 0, - estimated: u && c && l ? (c - i) / u : void 0, - event: o, - lengthComputable: c != null, - [t ? "download" : "upload"]: !0 - }; - e(d); - }, n); -}, Re = (e, t) => { - const n = e != null; - return [(r) => t[0]({ - lengthComputable: n, - total: e, - loaded: r - }), t[1]]; -}, Se = (e) => (...t) => a.asap(() => e(...t)), un = T.hasStandardBrowserEnv ? ( - // Standard browser envs have full support of the APIs needed to test - // whether the request URL is of the same origin as current location. - function() { - const t = T.navigator && /(msie|trident)/i.test(T.navigator.userAgent), n = document.createElement("a"); - let r; - function s(o) { - let i = o; - return t && (n.setAttribute("href", i), i = n.href), n.setAttribute("href", i), { - href: n.href, - protocol: n.protocol ? n.protocol.replace(/:$/, "") : "", - host: n.host, - search: n.search ? n.search.replace(/^\?/, "") : "", - hash: n.hash ? n.hash.replace(/^#/, "") : "", - hostname: n.hostname, - port: n.port, - pathname: n.pathname.charAt(0) === "/" ? n.pathname : "/" + n.pathname - }; - } - return r = s(window.location.href), function(i) { - const c = a.isString(i) ? s(i) : i; - return c.protocol === r.protocol && c.host === r.host; - }; - }() -) : ( - // Non standard browser envs (web workers, react-native) lack needed support. - /* @__PURE__ */ function() { - return function() { - return !0; - }; - }() -), ln = T.hasStandardBrowserEnv ? ( - // Standard browser envs support document.cookie - { - write(e, t, n, r, s, o) { - const i = [e + "=" + encodeURIComponent(t)]; - a.isNumber(n) && i.push("expires=" + new Date(n).toGMTString()), a.isString(r) && i.push("path=" + r), a.isString(s) && i.push("domain=" + s), o === !0 && i.push("secure"), document.cookie = i.join("; "); - }, - read(e) { - const t = document.cookie.match(new RegExp("(^|;\\s*)(" + e + ")=([^;]*)")); - return t ? decodeURIComponent(t[3]) : null; - }, - remove(e) { - this.write(e, "", Date.now() - 864e5); - } - } -) : ( - // Non-standard browser env (web workers, react-native) lack needed support. - { - write() { - }, - read() { - return null; - }, - remove() { - } - } -); -function fn(e) { - return /^([a-z][a-z\d+\-.]*:)?\/\//i.test(e); -} -function dn(e, t) { - return t ? e.replace(/\/?\/$/, "") + "/" + t.replace(/^\/+/, "") : e; -} -function We(e, t) { - return e && !fn(t) ? dn(e, t) : t; -} -const ge = (e) => e instanceof A ? { ...e } : e; -function D(e, t) { - t = t || {}; - const n = {}; - function r(u, l, d) { - return a.isPlainObject(u) && a.isPlainObject(l) ? a.merge.call({ caseless: d }, u, l) : a.isPlainObject(l) ? a.merge({}, l) : a.isArray(l) ? l.slice() : l; - } - function s(u, l, d) { - if (a.isUndefined(l)) { - if (!a.isUndefined(u)) - return r(void 0, u, d); - } else return r(u, l, d); - } - function o(u, l) { - if (!a.isUndefined(l)) - return r(void 0, l); - } - function i(u, l) { - if (a.isUndefined(l)) { - if (!a.isUndefined(u)) - return r(void 0, u); - } else return r(void 0, l); - } - function c(u, l, d) { - if (d in t) - return r(u, l); - if (d in e) - return r(void 0, u); - } - const f = { - url: o, - method: o, - data: o, - baseURL: i, - transformRequest: i, - transformResponse: i, - paramsSerializer: i, - timeout: i, - timeoutMessage: i, - withCredentials: i, - withXSRFToken: i, - adapter: i, - responseType: i, - xsrfCookieName: i, - xsrfHeaderName: i, - onUploadProgress: i, - onDownloadProgress: i, - decompress: i, - maxContentLength: i, - maxBodyLength: i, - beforeRedirect: i, - transport: i, - httpAgent: i, - httpsAgent: i, - cancelToken: i, - socketPath: i, - responseEncoding: i, - validateStatus: c, - headers: (u, l) => s(ge(u), ge(l), !0) - }; - return a.forEach(Object.keys(Object.assign({}, e, t)), function(l) { - const d = f[l] || s, b = d(e[l], t[l], l); - a.isUndefined(b) && d !== c || (n[l] = b); - }), n; -} -const $e = (e) => { - const t = D({}, e); - let { data: n, withXSRFToken: r, xsrfHeaderName: s, xsrfCookieName: o, headers: i, auth: c } = t; - t.headers = i = A.from(i), t.url = He(We(t.baseURL, t.url), e.params, e.paramsSerializer), c && i.set( - "Authorization", - "Basic " + btoa((c.username || "") + ":" + (c.password ? unescape(encodeURIComponent(c.password)) : "")) - ); - let f; - if (a.isFormData(n)) { - if (T.hasStandardBrowserEnv || T.hasStandardBrowserWebWorkerEnv) - i.setContentType(void 0); - else if ((f = i.getContentType()) !== !1) { - const [u, ...l] = f ? f.split(";").map((d) => d.trim()).filter(Boolean) : []; - i.setContentType([u || "multipart/form-data", ...l].join("; ")); - } - } - if (T.hasStandardBrowserEnv && (r && a.isFunction(r) && (r = r(t)), r || r !== !1 && un(t.url))) { - const u = s && o && ln.read(o); - u && i.set(s, u); - } - return t; -}, pn = typeof XMLHttpRequest < "u", hn = pn && function(e) { - return new Promise(function(n, r) { - const s = $e(e); - let o = s.data; - const i = A.from(s.headers).normalize(); - let { responseType: c, onUploadProgress: f, onDownloadProgress: u } = s, l, d, b, E, p; - function y() { - E && E(), p && p(), s.cancelToken && s.cancelToken.unsubscribe(l), s.signal && s.signal.removeEventListener("abort", l); - } - let h = new XMLHttpRequest(); - h.open(s.method.toUpperCase(), s.url, !0), h.timeout = s.timeout; - function w() { - if (!h) - return; - const g = A.from( - "getAllResponseHeaders" in h && h.getAllResponseHeaders() - ), O = { - data: !c || c === "text" || c === "json" ? h.responseText : h.response, - status: h.status, - statusText: h.statusText, - headers: g, - config: e, - request: h - }; - Ve(function(F) { - n(F), y(); - }, function(F) { - r(F), y(); - }, O), h = null; - } - "onloadend" in h ? h.onloadend = w : h.onreadystatechange = function() { - !h || h.readyState !== 4 || h.status === 0 && !(h.responseURL && h.responseURL.indexOf("file:") === 0) || setTimeout(w); - }, h.onabort = function() { - h && (r(new m("Request aborted", m.ECONNABORTED, e, h)), h = null); - }, h.onerror = function() { - r(new m("Network Error", m.ERR_NETWORK, e, h)), h = null; - }, h.ontimeout = function() { - let N = s.timeout ? "timeout of " + s.timeout + "ms exceeded" : "timeout exceeded"; - const O = s.transitional || Me; - s.timeoutErrorMessage && (N = s.timeoutErrorMessage), r(new m( - N, - O.clarifyTimeoutError ? m.ETIMEDOUT : m.ECONNABORTED, - e, - h - )), h = null; - }, o === void 0 && i.setContentType(null), "setRequestHeader" in h && a.forEach(i.toJSON(), function(N, O) { - h.setRequestHeader(O, N); - }), a.isUndefined(s.withCredentials) || (h.withCredentials = !!s.withCredentials), c && c !== "json" && (h.responseType = s.responseType), u && ([b, p] = V(u, !0), h.addEventListener("progress", b)), f && h.upload && ([d, E] = V(f), h.upload.addEventListener("progress", d), h.upload.addEventListener("loadend", E)), (s.cancelToken || s.signal) && (l = (g) => { - h && (r(!g || g.type ? new k(null, e, h) : g), h.abort(), h = null); - }, s.cancelToken && s.cancelToken.subscribe(l), s.signal && (s.signal.aborted ? l() : s.signal.addEventListener("abort", l))); - const R = on(s.url); - if (R && T.protocols.indexOf(R) === -1) { - r(new m("Unsupported protocol " + R + ":", m.ERR_BAD_REQUEST, e)); - return; - } - h.send(o || null); - }); -}, mn = (e, t) => { - const { length: n } = e = e ? e.filter(Boolean) : []; - if (t || n) { - let r = new AbortController(), s; - const o = function(u) { - if (!s) { - s = !0, c(); - const l = u instanceof Error ? u : this.reason; - r.abort(l instanceof m ? l : new k(l instanceof Error ? l.message : l)); - } - }; - let i = t && setTimeout(() => { - i = null, o(new m(`timeout ${t} of ms exceeded`, m.ETIMEDOUT)); - }, t); - const c = () => { - e && (i && clearTimeout(i), i = null, e.forEach((u) => { - u.unsubscribe ? u.unsubscribe(o) : u.removeEventListener("abort", o); - }), e = null); - }; - e.forEach((u) => u.addEventListener("abort", o)); - const { signal: f } = r; - return f.unsubscribe = () => a.asap(c), f; - } -}, yn = function* (e, t) { - let n = e.byteLength; - if (n < t) { - yield e; - return; - } - let r = 0, s; - for (; r < n; ) - s = r + t, yield e.slice(r, s), r = s; -}, bn = async function* (e, t) { - for await (const n of wn(e)) - yield* yn(n, t); -}, wn = async function* (e) { - if (e[Symbol.asyncIterator]) { - yield* e; - return; - } - const t = e.getReader(); - try { - for (; ; ) { - const { done: n, value: r } = await t.read(); - if (n) - break; - yield r; - } - } finally { - await t.cancel(); - } -}, Oe = (e, t, n, r) => { - const s = bn(e, t); - let o = 0, i, c = (f) => { - i || (i = !0, r && r(f)); - }; - return new ReadableStream({ - async pull(f) { - try { - const { done: u, value: l } = await s.next(); - if (u) { - c(), f.close(); - return; - } - let d = l.byteLength; - if (n) { - let b = o += d; - n(b); - } - f.enqueue(new Uint8Array(l)); - } catch (u) { - throw c(u), u; - } - }, - cancel(f) { - return c(f), s.return(); - } - }, { - highWaterMark: 2 - }); -}, X = typeof fetch == "function" && typeof Request == "function" && typeof Response == "function", ve = X && typeof ReadableStream == "function", En = X && (typeof TextEncoder == "function" ? /* @__PURE__ */ ((e) => (t) => e.encode(t))(new TextEncoder()) : async (e) => new Uint8Array(await new Response(e).arrayBuffer())), Ke = (e, ...t) => { - try { - return !!e(...t); - } catch { - return !1; - } -}, Rn = ve && Ke(() => { - let e = !1; - const t = new Request(T.origin, { - body: new ReadableStream(), - method: "POST", - get duplex() { - return e = !0, "half"; - } - }).headers.has("Content-Type"); - return e && !t; -}), Te = 64 * 1024, se = ve && Ke(() => a.isReadableStream(new Response("").body)), W = { - stream: se && ((e) => e.body) -}; -X && ((e) => { - ["text", "arrayBuffer", "blob", "formData", "stream"].forEach((t) => { - !W[t] && (W[t] = a.isFunction(e[t]) ? (n) => n[t]() : (n, r) => { - throw new m(`Response type '${t}' is not supported`, m.ERR_NOT_SUPPORT, r); - }); - }); -})(new Response()); -const Sn = async (e) => { - if (e == null) - return 0; - if (a.isBlob(e)) - return e.size; - if (a.isSpecCompliantForm(e)) - return (await new Request(T.origin, { - method: "POST", - body: e - }).arrayBuffer()).byteLength; - if (a.isArrayBufferView(e) || a.isArrayBuffer(e)) - return e.byteLength; - if (a.isURLSearchParams(e) && (e = e + ""), a.isString(e)) - return (await En(e)).byteLength; -}, gn = async (e, t) => { - const n = a.toFiniteNumber(e.getContentLength()); - return n ?? Sn(t); -}, On = X && (async (e) => { - let { - url: t, - method: n, - data: r, - signal: s, - cancelToken: o, - timeout: i, - onDownloadProgress: c, - onUploadProgress: f, - responseType: u, - headers: l, - withCredentials: d = "same-origin", - fetchOptions: b - } = $e(e); - u = u ? (u + "").toLowerCase() : "text"; - let E = mn([s, o && o.toAbortSignal()], i), p; - const y = E && E.unsubscribe && (() => { - E.unsubscribe(); - }); - let h; - try { - if (f && Rn && n !== "get" && n !== "head" && (h = await gn(l, r)) !== 0) { - let O = new Request(t, { - method: "POST", - body: r, - duplex: "half" - }), P; - if (a.isFormData(r) && (P = O.headers.get("content-type")) && l.setContentType(P), O.body) { - const [F, M] = Re( - h, - V(Se(f)) - ); - r = Oe(O.body, Te, F, M); - } - } - a.isString(d) || (d = d ? "include" : "omit"); - const w = "credentials" in Request.prototype; - p = new Request(t, { - ...b, - signal: E, - method: n.toUpperCase(), - headers: l.normalize().toJSON(), - body: r, - duplex: "half", - credentials: w ? d : void 0 - }); - let R = await fetch(p); - const g = se && (u === "stream" || u === "response"); - if (se && (c || g && y)) { - const O = {}; - ["status", "statusText", "headers"].forEach((pe) => { - O[pe] = R[pe]; - }); - const P = a.toFiniteNumber(R.headers.get("content-length")), [F, M] = c && Re( - P, - V(Se(c), !0) - ) || []; - R = new Response( - Oe(R.body, Te, F, () => { - M && M(), y && y(); - }), - O - ); - } - u = u || "text"; - let N = await W[a.findKey(W, u) || "text"](R, e); - return !g && y && y(), await new Promise((O, P) => { - Ve(O, P, { - data: N, - headers: A.from(R.headers), - status: R.status, - statusText: R.statusText, - config: e, - request: p - }); - }); - } catch (w) { - throw y && y(), w && w.name === "TypeError" && /fetch/i.test(w.message) ? Object.assign( - new m("Network Error", m.ERR_NETWORK, e, p), - { - cause: w.cause || w - } - ) : m.from(w, w && w.code, e, p); - } -}), oe = { - http: jt, - xhr: hn, - fetch: On -}; -a.forEach(oe, (e, t) => { - if (e) { - try { - Object.defineProperty(e, "name", { value: t }); - } catch { - } - Object.defineProperty(e, "adapterName", { value: t }); - } -}); -const Ae = (e) => `- ${e}`, Tn = (e) => a.isFunction(e) || e === null || e === !1, Ge = { - getAdapter: (e) => { - e = a.isArray(e) ? e : [e]; - const { length: t } = e; - let n, r; - const s = {}; - for (let o = 0; o < t; o++) { - n = e[o]; - let i; - if (r = n, !Tn(n) && (r = oe[(i = String(n)).toLowerCase()], r === void 0)) - throw new m(`Unknown adapter '${i}'`); - if (r) - break; - s[i || "#" + o] = r; - } - if (!r) { - const o = Object.entries(s).map( - ([c, f]) => `adapter ${c} ` + (f === !1 ? "is not supported by the environment" : "is not available in the build") - ); - let i = t ? o.length > 1 ? `since : -` + o.map(Ae).join(` -`) : " " + Ae(o[0]) : "as no adapter specified"; - throw new m( - "There is no suitable adapter to dispatch the request " + i, - "ERR_NOT_SUPPORT" - ); - } - return r; - }, - adapters: oe -}; -function ee(e) { - if (e.cancelToken && e.cancelToken.throwIfRequested(), e.signal && e.signal.aborted) - throw new k(null, e); -} -function xe(e) { - return ee(e), e.headers = A.from(e.headers), e.data = Y.call( - e, - e.transformRequest - ), ["post", "put", "patch"].indexOf(e.method) !== -1 && e.headers.setContentType("application/x-www-form-urlencoded", !1), Ge.getAdapter(e.adapter || H.adapter)(e).then(function(r) { - return ee(e), r.data = Y.call( - e, - e.transformResponse, - r - ), r.headers = A.from(r.headers), r; - }, function(r) { - return Je(r) || (ee(e), r && r.response && (r.response.data = Y.call( - e, - e.transformResponse, - r.response - ), r.response.headers = A.from(r.response.headers))), Promise.reject(r); - }); -} -const Xe = "1.7.7", fe = {}; -["object", "boolean", "number", "function", "string", "symbol"].forEach((e, t) => { - fe[e] = function(r) { - return typeof r === e || "a" + (t < 1 ? "n " : " ") + e; - }; -}); -const Ce = {}; -fe.transitional = function(t, n, r) { - function s(o, i) { - return "[Axios v" + Xe + "] Transitional option '" + o + "'" + i + (r ? ". " + r : ""); - } - return (o, i, c) => { - if (t === !1) - throw new m( - s(i, " has been removed" + (n ? " in " + n : "")), - m.ERR_DEPRECATED - ); - return n && !Ce[i] && (Ce[i] = !0, console.warn( - s( - i, - " has been deprecated since v" + n + " and will be removed in the near future" - ) - )), t ? t(o, i, c) : !0; - }; -}; -function An(e, t, n) { - if (typeof e != "object") - throw new m("options must be an object", m.ERR_BAD_OPTION_VALUE); - const r = Object.keys(e); - let s = r.length; - for (; s-- > 0; ) { - const o = r[s], i = t[o]; - if (i) { - const c = e[o], f = c === void 0 || i(c, o, e); - if (f !== !0) - throw new m("option " + o + " must be " + f, m.ERR_BAD_OPTION_VALUE); - continue; - } - if (n !== !0) - throw new m("Unknown option " + o, m.ERR_BAD_OPTION); - } -} -const ie = { - assertOptions: An, - validators: fe -}, _ = ie.validators; -class B { - constructor(t) { - this.defaults = t, this.interceptors = { - request: new we(), - response: new we() - }; - } - /** - * Dispatch a request - * - * @param {String|Object} configOrUrl The config specific for this request (merged with this.defaults) - * @param {?Object} config - * - * @returns {Promise} The Promise to be fulfilled - */ - async request(t, n) { - try { - return await this._request(t, n); - } catch (r) { - if (r instanceof Error) { - let s; - Error.captureStackTrace ? Error.captureStackTrace(s = {}) : s = new Error(); - const o = s.stack ? s.stack.replace(/^.+\n/, "") : ""; - try { - r.stack ? o && !String(r.stack).endsWith(o.replace(/^.+\n.+\n/, "")) && (r.stack += ` -` + o) : r.stack = o; - } catch { - } - } - throw r; - } - } - _request(t, n) { - typeof t == "string" ? (n = n || {}, n.url = t) : n = t || {}, n = D(this.defaults, n); - const { transitional: r, paramsSerializer: s, headers: o } = n; - r !== void 0 && ie.assertOptions(r, { - silentJSONParsing: _.transitional(_.boolean), - forcedJSONParsing: _.transitional(_.boolean), - clarifyTimeoutError: _.transitional(_.boolean) - }, !1), s != null && (a.isFunction(s) ? n.paramsSerializer = { - serialize: s - } : ie.assertOptions(s, { - encode: _.function, - serialize: _.function - }, !0)), n.method = (n.method || this.defaults.method || "get").toLowerCase(); - let i = o && a.merge( - o.common, - o[n.method] - ); - o && a.forEach( - ["delete", "get", "head", "post", "put", "patch", "common"], - (p) => { - delete o[p]; - } - ), n.headers = A.concat(i, o); - const c = []; - let f = !0; - this.interceptors.request.forEach(function(y) { - typeof y.runWhen == "function" && y.runWhen(n) === !1 || (f = f && y.synchronous, c.unshift(y.fulfilled, y.rejected)); - }); - const u = []; - this.interceptors.response.forEach(function(y) { - u.push(y.fulfilled, y.rejected); - }); - let l, d = 0, b; - if (!f) { - const p = [xe.bind(this), void 0]; - for (p.unshift.apply(p, c), p.push.apply(p, u), b = p.length, l = Promise.resolve(n); d < b; ) - l = l.then(p[d++], p[d++]); - return l; - } - b = c.length; - let E = n; - for (d = 0; d < b; ) { - const p = c[d++], y = c[d++]; - try { - E = p(E); - } catch (h) { - y.call(this, h); - break; - } - } - try { - l = xe.call(this, E); - } catch (p) { - return Promise.reject(p); - } - for (d = 0, b = u.length; d < b; ) - l = l.then(u[d++], u[d++]); - return l; - } - getUri(t) { - t = D(this.defaults, t); - const n = We(t.baseURL, t.url); - return He(n, t.params, t.paramsSerializer); - } -} -a.forEach(["delete", "get", "head", "options"], function(t) { - B.prototype[t] = function(n, r) { - return this.request(D(r || {}, { - method: t, - url: n, - data: (r || {}).data - })); - }; -}); -a.forEach(["post", "put", "patch"], function(t) { - function n(r) { - return function(o, i, c) { - return this.request(D(c || {}, { - method: t, - headers: r ? { - "Content-Type": "multipart/form-data" - } : {}, - url: o, - data: i - })); - }; - } - B.prototype[t] = n(), B.prototype[t + "Form"] = n(!0); -}); -class de { - constructor(t) { - if (typeof t != "function") - throw new TypeError("executor must be a function."); - let n; - this.promise = new Promise(function(o) { - n = o; - }); - const r = this; - this.promise.then((s) => { - if (!r._listeners) return; - let o = r._listeners.length; - for (; o-- > 0; ) - r._listeners[o](s); - r._listeners = null; - }), this.promise.then = (s) => { - let o; - const i = new Promise((c) => { - r.subscribe(c), o = c; - }).then(s); - return i.cancel = function() { - r.unsubscribe(o); - }, i; - }, t(function(o, i, c) { - r.reason || (r.reason = new k(o, i, c), n(r.reason)); - }); - } - /** - * Throws a `CanceledError` if cancellation has been requested. - */ - throwIfRequested() { - if (this.reason) - throw this.reason; - } - /** - * Subscribe to the cancel signal - */ - subscribe(t) { - if (this.reason) { - t(this.reason); - return; - } - this._listeners ? this._listeners.push(t) : this._listeners = [t]; - } - /** - * Unsubscribe from the cancel signal - */ - unsubscribe(t) { - if (!this._listeners) - return; - const n = this._listeners.indexOf(t); - n !== -1 && this._listeners.splice(n, 1); - } - toAbortSignal() { - const t = new AbortController(), n = (r) => { - t.abort(r); - }; - return this.subscribe(n), t.signal.unsubscribe = () => this.unsubscribe(n), t.signal; - } - /** - * Returns an object that contains a new `CancelToken` and a function that, when called, - * cancels the `CancelToken`. - */ - static source() { - let t; - return { - token: new de(function(s) { - t = s; - }), - cancel: t - }; - } -} -function xn(e) { - return function(n) { - return e.apply(null, n); - }; -} -function Cn(e) { - return a.isObject(e) && e.isAxiosError === !0; -} -const ae = { - Continue: 100, - SwitchingProtocols: 101, - Processing: 102, - EarlyHints: 103, - Ok: 200, - Created: 201, - Accepted: 202, - NonAuthoritativeInformation: 203, - NoContent: 204, - ResetContent: 205, - PartialContent: 206, - MultiStatus: 207, - AlreadyReported: 208, - ImUsed: 226, - MultipleChoices: 300, - MovedPermanently: 301, - Found: 302, - SeeOther: 303, - NotModified: 304, - UseProxy: 305, - Unused: 306, - TemporaryRedirect: 307, - PermanentRedirect: 308, - BadRequest: 400, - Unauthorized: 401, - PaymentRequired: 402, - Forbidden: 403, - NotFound: 404, - MethodNotAllowed: 405, - NotAcceptable: 406, - ProxyAuthenticationRequired: 407, - RequestTimeout: 408, - Conflict: 409, - Gone: 410, - LengthRequired: 411, - PreconditionFailed: 412, - PayloadTooLarge: 413, - UriTooLong: 414, - UnsupportedMediaType: 415, - RangeNotSatisfiable: 416, - ExpectationFailed: 417, - ImATeapot: 418, - MisdirectedRequest: 421, - UnprocessableEntity: 422, - Locked: 423, - FailedDependency: 424, - TooEarly: 425, - UpgradeRequired: 426, - PreconditionRequired: 428, - TooManyRequests: 429, - RequestHeaderFieldsTooLarge: 431, - UnavailableForLegalReasons: 451, - InternalServerError: 500, - NotImplemented: 501, - BadGateway: 502, - ServiceUnavailable: 503, - GatewayTimeout: 504, - HttpVersionNotSupported: 505, - VariantAlsoNegotiates: 506, - InsufficientStorage: 507, - LoopDetected: 508, - NotExtended: 510, - NetworkAuthenticationRequired: 511 -}; -Object.entries(ae).forEach(([e, t]) => { - ae[t] = e; -}); -function Qe(e) { - const t = new B(e), n = Ne(B.prototype.request, t); - return a.extend(n, B.prototype, t, { allOwnKeys: !0 }), a.extend(n, t, null, { allOwnKeys: !0 }), n.create = function(s) { - return Qe(D(e, s)); - }, n; -} -const S = Qe(H); -S.Axios = B; -S.CanceledError = k; -S.CancelToken = de; -S.isCancel = Je; -S.VERSION = Xe; -S.toFormData = G; -S.AxiosError = m; -S.Cancel = S.CanceledError; -S.all = function(t) { - return Promise.all(t); -}; -S.spread = xn; -S.isAxiosError = Cn; -S.mergeConfig = D; -S.AxiosHeaders = A; -S.formToJSON = (e) => ze(a.isHTMLForm(e) ? new FormData(e) : e); -S.getAdapter = Ge.getAdapter; -S.HttpStatusCode = ae; -S.default = S; -export { - S as a -}; diff --git a/dist/axios-tuVKNgv9.cjs b/dist/axios-tuVKNgv9.cjs deleted file mode 100644 index 5f436c89..00000000 --- a/dist/axios-tuVKNgv9.cjs +++ /dev/null @@ -1,6 +0,0 @@ -"use strict";function Ne(e,t){return function(){return e.apply(t,arguments)}}const{toString:Ze}=Object.prototype,{getPrototypeOf:ce}=Object,$=(e=>t=>{const n=Ze.call(t);return e[n]||(e[n]=n.slice(8,-1).toLowerCase())})(Object.create(null)),C=e=>(e=e.toLowerCase(),t=>$(t)===e),v=e=>t=>typeof t===e,{isArray:U}=Array,q=v("undefined");function Ye(e){return e!==null&&!q(e)&&e.constructor!==null&&!q(e.constructor)&&x(e.constructor.isBuffer)&&e.constructor.isBuffer(e)}const Pe=C("ArrayBuffer");function et(e){let t;return typeof ArrayBuffer<"u"&&ArrayBuffer.isView?t=ArrayBuffer.isView(e):t=e&&e.buffer&&Pe(e.buffer),t}const tt=v("string"),x=v("function"),_e=v("number"),K=e=>e!==null&&typeof e=="object",nt=e=>e===!0||e===!1,z=e=>{if($(e)!=="object")return!1;const t=ce(e);return(t===null||t===Object.prototype||Object.getPrototypeOf(t)===null)&&!(Symbol.toStringTag in e)&&!(Symbol.iterator in e)},rt=C("Date"),st=C("File"),ot=C("Blob"),it=C("FileList"),at=e=>K(e)&&x(e.pipe),ct=e=>{let t;return e&&(typeof FormData=="function"&&e instanceof FormData||x(e.append)&&((t=$(e))==="formdata"||t==="object"&&x(e.toString)&&e.toString()==="[object FormData]"))},ut=C("URLSearchParams"),[lt,ft,dt,pt]=["ReadableStream","Request","Response","Headers"].map(C),ht=e=>e.trim?e.trim():e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,"");function I(e,t,{allOwnKeys:n=!1}={}){if(e===null||typeof e>"u")return;let r,s;if(typeof e!="object"&&(e=[e]),U(e))for(r=0,s=e.length;r0;)if(s=n[r],t===s.toLowerCase())return s;return null}const L=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof window<"u"?window:global,Le=e=>!q(e)&&e!==L;function te(){const{caseless:e}=Le(this)&&this||{},t={},n=(r,s)=>{const o=e&&Fe(t,s)||s;z(t[o])&&z(r)?t[o]=te(t[o],r):z(r)?t[o]=te({},r):U(r)?t[o]=r.slice():t[o]=r};for(let r=0,s=arguments.length;r(I(t,(s,o)=>{n&&x(s)?e[o]=Ne(s,n):e[o]=s},{allOwnKeys:r}),e),yt=e=>(e.charCodeAt(0)===65279&&(e=e.slice(1)),e),bt=(e,t,n,r)=>{e.prototype=Object.create(t.prototype,r),e.prototype.constructor=e,Object.defineProperty(e,"super",{value:t.prototype}),n&&Object.assign(e.prototype,n)},wt=(e,t,n,r)=>{let s,o,i;const c={};if(t=t||{},e==null)return t;do{for(s=Object.getOwnPropertyNames(e),o=s.length;o-- >0;)i=s[o],(!r||r(i,e,t))&&!c[i]&&(t[i]=e[i],c[i]=!0);e=n!==!1&&ce(e)}while(e&&(!n||n(e,t))&&e!==Object.prototype);return t},Et=(e,t,n)=>{e=String(e),(n===void 0||n>e.length)&&(n=e.length),n-=t.length;const r=e.indexOf(t,n);return r!==-1&&r===n},Rt=e=>{if(!e)return null;if(U(e))return e;let t=e.length;if(!_e(t))return null;const n=new Array(t);for(;t-- >0;)n[t]=e[t];return n},St=(e=>t=>e&&t instanceof e)(typeof Uint8Array<"u"&&ce(Uint8Array)),gt=(e,t)=>{const r=(e&&e[Symbol.iterator]).call(e);let s;for(;(s=r.next())&&!s.done;){const o=s.value;t.call(e,o[0],o[1])}},Ot=(e,t)=>{let n;const r=[];for(;(n=e.exec(t))!==null;)r.push(n);return r},Tt=C("HTMLFormElement"),At=e=>e.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,function(n,r,s){return r.toUpperCase()+s}),he=(({hasOwnProperty:e})=>(t,n)=>e.call(t,n))(Object.prototype),xt=C("RegExp"),Be=(e,t)=>{const n=Object.getOwnPropertyDescriptors(e),r={};I(n,(s,o)=>{let i;(i=t(s,o,e))!==!1&&(r[o]=i||s)}),Object.defineProperties(e,r)},Ct=e=>{Be(e,(t,n)=>{if(x(e)&&["arguments","caller","callee"].indexOf(n)!==-1)return!1;const r=e[n];if(x(r)){if(t.enumerable=!1,"writable"in t){t.writable=!1;return}t.set||(t.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")})}})},Nt=(e,t)=>{const n={},r=s=>{s.forEach(o=>{n[o]=!0})};return U(e)?r(e):r(String(e).split(t)),n},Pt=()=>{},_t=(e,t)=>e!=null&&Number.isFinite(e=+e)?e:t,Q="abcdefghijklmnopqrstuvwxyz",me="0123456789",De={DIGIT:me,ALPHA:Q,ALPHA_DIGIT:Q+Q.toUpperCase()+me},Ft=(e=16,t=De.ALPHA_DIGIT)=>{let n="";const{length:r}=t;for(;e--;)n+=t[Math.random()*r|0];return n};function Lt(e){return!!(e&&x(e.append)&&e[Symbol.toStringTag]==="FormData"&&e[Symbol.iterator])}const Bt=e=>{const t=new Array(10),n=(r,s)=>{if(K(r)){if(t.indexOf(r)>=0)return;if(!("toJSON"in r)){t[s]=r;const o=U(r)?[]:{};return I(r,(i,c)=>{const f=n(i,s+1);!q(f)&&(o[c]=f)}),t[s]=void 0,o}}return r};return n(e,0)},Dt=C("AsyncFunction"),Ut=e=>e&&(K(e)||x(e))&&x(e.then)&&x(e.catch),Ue=((e,t)=>e?setImmediate:t?((n,r)=>(L.addEventListener("message",({source:s,data:o})=>{s===L&&o===n&&r.length&&r.shift()()},!1),s=>{r.push(s),L.postMessage(n,"*")}))(`axios@${Math.random()}`,[]):n=>setTimeout(n))(typeof setImmediate=="function",x(L.postMessage)),kt=typeof queueMicrotask<"u"?queueMicrotask.bind(L):typeof process<"u"&&process.nextTick||Ue,a={isArray:U,isArrayBuffer:Pe,isBuffer:Ye,isFormData:ct,isArrayBufferView:et,isString:tt,isNumber:_e,isBoolean:nt,isObject:K,isPlainObject:z,isReadableStream:lt,isRequest:ft,isResponse:dt,isHeaders:pt,isUndefined:q,isDate:rt,isFile:st,isBlob:ot,isRegExp:xt,isFunction:x,isStream:at,isURLSearchParams:ut,isTypedArray:St,isFileList:it,forEach:I,merge:te,extend:mt,trim:ht,stripBOM:yt,inherits:bt,toFlatObject:wt,kindOf:$,kindOfTest:C,endsWith:Et,toArray:Rt,forEachEntry:gt,matchAll:Ot,isHTMLForm:Tt,hasOwnProperty:he,hasOwnProp:he,reduceDescriptors:Be,freezeMethods:Ct,toObjectSet:Nt,toCamelCase:At,noop:Pt,toFiniteNumber:_t,findKey:Fe,global:L,isContextDefined:Le,ALPHABET:De,generateString:Ft,isSpecCompliantForm:Lt,toJSONObject:Bt,isAsyncFn:Dt,isThenable:Ut,setImmediate:Ue,asap:kt};function m(e,t,n,r,s){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=new Error().stack,this.message=e,this.name="AxiosError",t&&(this.code=t),n&&(this.config=n),r&&(this.request=r),s&&(this.response=s,this.status=s.status?s.status:null)}a.inherits(m,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:a.toJSONObject(this.config),code:this.code,status:this.status}}});const ke=m.prototype,je={};["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach(e=>{je[e]={value:e}});Object.defineProperties(m,je);Object.defineProperty(ke,"isAxiosError",{value:!0});m.from=(e,t,n,r,s,o)=>{const i=Object.create(ke);return a.toFlatObject(e,i,function(f){return f!==Error.prototype},c=>c!=="isAxiosError"),m.call(i,e.message,t,n,r,s),i.cause=e,i.name=e.name,o&&Object.assign(i,o),i};const jt=null;function ne(e){return a.isPlainObject(e)||a.isArray(e)}function qe(e){return a.endsWith(e,"[]")?e.slice(0,-2):e}function ye(e,t,n){return e?e.concat(t).map(function(s,o){return s=qe(s),!n&&o?"["+s+"]":s}).join(n?".":""):t}function qt(e){return a.isArray(e)&&!e.some(ne)}const It=a.toFlatObject(a,{},null,function(t){return/^is[A-Z]/.test(t)});function G(e,t,n){if(!a.isObject(e))throw new TypeError("target must be an object");t=t||new FormData,n=a.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,function(y,h){return!a.isUndefined(h[y])});const r=n.metaTokens,s=n.visitor||l,o=n.dots,i=n.indexes,f=(n.Blob||typeof Blob<"u"&&Blob)&&a.isSpecCompliantForm(t);if(!a.isFunction(s))throw new TypeError("visitor must be a function");function u(p){if(p===null)return"";if(a.isDate(p))return p.toISOString();if(!f&&a.isBlob(p))throw new m("Blob is not supported. Use a Buffer instead.");return a.isArrayBuffer(p)||a.isTypedArray(p)?f&&typeof Blob=="function"?new Blob([p]):Buffer.from(p):p}function l(p,y,h){let w=p;if(p&&!h&&typeof p=="object"){if(a.endsWith(y,"{}"))y=r?y:y.slice(0,-2),p=JSON.stringify(p);else if(a.isArray(p)&&qt(p)||(a.isFileList(p)||a.endsWith(y,"[]"))&&(w=a.toArray(p)))return y=qe(y),w.forEach(function(g,N){!(a.isUndefined(g)||g===null)&&t.append(i===!0?ye([y],N,o):i===null?y:y+"[]",u(g))}),!1}return ne(p)?!0:(t.append(ye(h,y,o),u(p)),!1)}const d=[],b=Object.assign(It,{defaultVisitor:l,convertValue:u,isVisitable:ne});function R(p,y){if(!a.isUndefined(p)){if(d.indexOf(p)!==-1)throw Error("Circular reference detected in "+y.join("."));d.push(p),a.forEach(p,function(w,S){(!(a.isUndefined(w)||w===null)&&s.call(t,w,a.isString(S)?S.trim():S,y,b))===!0&&R(w,y?y.concat(S):[S])}),d.pop()}}if(!a.isObject(e))throw new TypeError("data must be an object");return R(e),t}function be(e){const t={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g,function(r){return t[r]})}function ue(e,t){this._pairs=[],e&&G(e,this,t)}const Ie=ue.prototype;Ie.append=function(t,n){this._pairs.push([t,n])};Ie.toString=function(t){const n=t?function(r){return t.call(this,r,be)}:be;return this._pairs.map(function(s){return n(s[0])+"="+n(s[1])},"").join("&")};function Ht(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function He(e,t,n){if(!t)return e;const r=n&&n.encode||Ht,s=n&&n.serialize;let o;if(s?o=s(t,n):o=a.isURLSearchParams(t)?t.toString():new ue(t,n).toString(r),o){const i=e.indexOf("#");i!==-1&&(e=e.slice(0,i)),e+=(e.indexOf("?")===-1?"?":"&")+o}return e}class we{constructor(){this.handlers=[]}use(t,n,r){return this.handlers.push({fulfilled:t,rejected:n,synchronous:r?r.synchronous:!1,runWhen:r?r.runWhen:null}),this.handlers.length-1}eject(t){this.handlers[t]&&(this.handlers[t]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(t){a.forEach(this.handlers,function(r){r!==null&&t(r)})}}const Me={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},Mt=typeof URLSearchParams<"u"?URLSearchParams:ue,zt=typeof FormData<"u"?FormData:null,Jt=typeof Blob<"u"?Blob:null,Vt={isBrowser:!0,classes:{URLSearchParams:Mt,FormData:zt,Blob:Jt},protocols:["http","https","file","blob","url","data"]},le=typeof window<"u"&&typeof document<"u",re=typeof navigator=="object"&&navigator||void 0,Wt=le&&(!re||["ReactNative","NativeScript","NS"].indexOf(re.product)<0),$t=typeof WorkerGlobalScope<"u"&&self instanceof WorkerGlobalScope&&typeof self.importScripts=="function",vt=le&&window.location.href||"http://localhost",Kt=Object.freeze(Object.defineProperty({__proto__:null,hasBrowserEnv:le,hasStandardBrowserEnv:Wt,hasStandardBrowserWebWorkerEnv:$t,navigator:re,origin:vt},Symbol.toStringTag,{value:"Module"})),T={...Kt,...Vt};function Gt(e,t){return G(e,new T.classes.URLSearchParams,Object.assign({visitor:function(n,r,s,o){return T.isNode&&a.isBuffer(n)?(this.append(r,n.toString("base64")),!1):o.defaultVisitor.apply(this,arguments)}},t))}function Xt(e){return a.matchAll(/\w+|\[(\w*)]/g,e).map(t=>t[0]==="[]"?"":t[1]||t[0])}function Qt(e){const t={},n=Object.keys(e);let r;const s=n.length;let o;for(r=0;r=n.length;return i=!i&&a.isArray(s)?s.length:i,f?(a.hasOwnProp(s,i)?s[i]=[s[i],r]:s[i]=r,!c):((!s[i]||!a.isObject(s[i]))&&(s[i]=[]),t(n,r,s[i],o)&&a.isArray(s[i])&&(s[i]=Qt(s[i])),!c)}if(a.isFormData(e)&&a.isFunction(e.entries)){const n={};return a.forEachEntry(e,(r,s)=>{t(Xt(r),s,n,0)}),n}return null}function Zt(e,t,n){if(a.isString(e))try{return(t||JSON.parse)(e),a.trim(e)}catch(r){if(r.name!=="SyntaxError")throw r}return(0,JSON.stringify)(e)}const H={transitional:Me,adapter:["xhr","http","fetch"],transformRequest:[function(t,n){const r=n.getContentType()||"",s=r.indexOf("application/json")>-1,o=a.isObject(t);if(o&&a.isHTMLForm(t)&&(t=new FormData(t)),a.isFormData(t))return s?JSON.stringify(ze(t)):t;if(a.isArrayBuffer(t)||a.isBuffer(t)||a.isStream(t)||a.isFile(t)||a.isBlob(t)||a.isReadableStream(t))return t;if(a.isArrayBufferView(t))return t.buffer;if(a.isURLSearchParams(t))return n.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),t.toString();let c;if(o){if(r.indexOf("application/x-www-form-urlencoded")>-1)return Gt(t,this.formSerializer).toString();if((c=a.isFileList(t))||r.indexOf("multipart/form-data")>-1){const f=this.env&&this.env.FormData;return G(c?{"files[]":t}:t,f&&new f,this.formSerializer)}}return o||s?(n.setContentType("application/json",!1),Zt(t)):t}],transformResponse:[function(t){const n=this.transitional||H.transitional,r=n&&n.forcedJSONParsing,s=this.responseType==="json";if(a.isResponse(t)||a.isReadableStream(t))return t;if(t&&a.isString(t)&&(r&&!this.responseType||s)){const i=!(n&&n.silentJSONParsing)&&s;try{return JSON.parse(t)}catch(c){if(i)throw c.name==="SyntaxError"?m.from(c,m.ERR_BAD_RESPONSE,this,null,this.response):c}}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:T.classes.FormData,Blob:T.classes.Blob},validateStatus:function(t){return t>=200&&t<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};a.forEach(["delete","get","head","post","put","patch"],e=>{H.headers[e]={}});const Yt=a.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]),en=e=>{const t={};let n,r,s;return e&&e.split(` -`).forEach(function(i){s=i.indexOf(":"),n=i.substring(0,s).trim().toLowerCase(),r=i.substring(s+1).trim(),!(!n||t[n]&&Yt[n])&&(n==="set-cookie"?t[n]?t[n].push(r):t[n]=[r]:t[n]=t[n]?t[n]+", "+r:r)}),t},Ee=Symbol("internals");function j(e){return e&&String(e).trim().toLowerCase()}function J(e){return e===!1||e==null?e:a.isArray(e)?e.map(J):String(e)}function tn(e){const t=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let r;for(;r=n.exec(e);)t[r[1]]=r[2];return t}const nn=e=>/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim());function Z(e,t,n,r,s){if(a.isFunction(r))return r.call(this,t,n);if(s&&(t=n),!!a.isString(t)){if(a.isString(r))return t.indexOf(r)!==-1;if(a.isRegExp(r))return r.test(t)}}function rn(e){return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,(t,n,r)=>n.toUpperCase()+r)}function sn(e,t){const n=a.toCamelCase(" "+t);["get","set","has"].forEach(r=>{Object.defineProperty(e,r+n,{value:function(s,o,i){return this[r].call(this,t,s,o,i)},configurable:!0})})}class A{constructor(t){t&&this.set(t)}set(t,n,r){const s=this;function o(c,f,u){const l=j(f);if(!l)throw new Error("header name must be a non-empty string");const d=a.findKey(s,l);(!d||s[d]===void 0||u===!0||u===void 0&&s[d]!==!1)&&(s[d||f]=J(c))}const i=(c,f)=>a.forEach(c,(u,l)=>o(u,l,f));if(a.isPlainObject(t)||t instanceof this.constructor)i(t,n);else if(a.isString(t)&&(t=t.trim())&&!nn(t))i(en(t),n);else if(a.isHeaders(t))for(const[c,f]of t.entries())o(f,c,r);else t!=null&&o(n,t,r);return this}get(t,n){if(t=j(t),t){const r=a.findKey(this,t);if(r){const s=this[r];if(!n)return s;if(n===!0)return tn(s);if(a.isFunction(n))return n.call(this,s,r);if(a.isRegExp(n))return n.exec(s);throw new TypeError("parser must be boolean|regexp|function")}}}has(t,n){if(t=j(t),t){const r=a.findKey(this,t);return!!(r&&this[r]!==void 0&&(!n||Z(this,this[r],r,n)))}return!1}delete(t,n){const r=this;let s=!1;function o(i){if(i=j(i),i){const c=a.findKey(r,i);c&&(!n||Z(r,r[c],c,n))&&(delete r[c],s=!0)}}return a.isArray(t)?t.forEach(o):o(t),s}clear(t){const n=Object.keys(this);let r=n.length,s=!1;for(;r--;){const o=n[r];(!t||Z(this,this[o],o,t,!0))&&(delete this[o],s=!0)}return s}normalize(t){const n=this,r={};return a.forEach(this,(s,o)=>{const i=a.findKey(r,o);if(i){n[i]=J(s),delete n[o];return}const c=t?rn(o):String(o).trim();c!==o&&delete n[o],n[c]=J(s),r[c]=!0}),this}concat(...t){return this.constructor.concat(this,...t)}toJSON(t){const n=Object.create(null);return a.forEach(this,(r,s)=>{r!=null&&r!==!1&&(n[s]=t&&a.isArray(r)?r.join(", "):r)}),n}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map(([t,n])=>t+": "+n).join(` -`)}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(t){return t instanceof this?t:new this(t)}static concat(t,...n){const r=new this(t);return n.forEach(s=>r.set(s)),r}static accessor(t){const r=(this[Ee]=this[Ee]={accessors:{}}).accessors,s=this.prototype;function o(i){const c=j(i);r[c]||(sn(s,i),r[c]=!0)}return a.isArray(t)?t.forEach(o):o(t),this}}A.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]);a.reduceDescriptors(A.prototype,({value:e},t)=>{let n=t[0].toUpperCase()+t.slice(1);return{get:()=>e,set(r){this[n]=r}}});a.freezeMethods(A);function Y(e,t){const n=this||H,r=t||n,s=A.from(r.headers);let o=r.data;return a.forEach(e,function(c){o=c.call(n,o,s.normalize(),t?t.status:void 0)}),s.normalize(),o}function Je(e){return!!(e&&e.__CANCEL__)}function k(e,t,n){m.call(this,e??"canceled",m.ERR_CANCELED,t,n),this.name="CanceledError"}a.inherits(k,m,{__CANCEL__:!0});function Ve(e,t,n){const r=n.config.validateStatus;!n.status||!r||r(n.status)?e(n):t(new m("Request failed with status code "+n.status,[m.ERR_BAD_REQUEST,m.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n))}function on(e){const t=/^([-+\w]{1,25})(:?\/\/|:)/.exec(e);return t&&t[1]||""}function an(e,t){e=e||10;const n=new Array(e),r=new Array(e);let s=0,o=0,i;return t=t!==void 0?t:1e3,function(f){const u=Date.now(),l=r[o];i||(i=u),n[s]=f,r[s]=u;let d=o,b=0;for(;d!==s;)b+=n[d++],d=d%e;if(s=(s+1)%e,s===o&&(o=(o+1)%e),u-i{n=l,s=null,o&&(clearTimeout(o),o=null),e.apply(null,u)};return[(...u)=>{const l=Date.now(),d=l-n;d>=r?i(u,l):(s=u,o||(o=setTimeout(()=>{o=null,i(s)},r-d)))},()=>s&&i(s)]}const V=(e,t,n=3)=>{let r=0;const s=an(50,250);return cn(o=>{const i=o.loaded,c=o.lengthComputable?o.total:void 0,f=i-r,u=s(f),l=i<=c;r=i;const d={loaded:i,total:c,progress:c?i/c:void 0,bytes:f,rate:u||void 0,estimated:u&&c&&l?(c-i)/u:void 0,event:o,lengthComputable:c!=null,[t?"download":"upload"]:!0};e(d)},n)},Re=(e,t)=>{const n=e!=null;return[r=>t[0]({lengthComputable:n,total:e,loaded:r}),t[1]]},Se=e=>(...t)=>a.asap(()=>e(...t)),un=T.hasStandardBrowserEnv?function(){const t=T.navigator&&/(msie|trident)/i.test(T.navigator.userAgent),n=document.createElement("a");let r;function s(o){let i=o;return t&&(n.setAttribute("href",i),i=n.href),n.setAttribute("href",i),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:n.pathname.charAt(0)==="/"?n.pathname:"/"+n.pathname}}return r=s(window.location.href),function(i){const c=a.isString(i)?s(i):i;return c.protocol===r.protocol&&c.host===r.host}}():function(){return function(){return!0}}(),ln=T.hasStandardBrowserEnv?{write(e,t,n,r,s,o){const i=[e+"="+encodeURIComponent(t)];a.isNumber(n)&&i.push("expires="+new Date(n).toGMTString()),a.isString(r)&&i.push("path="+r),a.isString(s)&&i.push("domain="+s),o===!0&&i.push("secure"),document.cookie=i.join("; ")},read(e){const t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove(e){this.write(e,"",Date.now()-864e5)}}:{write(){},read(){return null},remove(){}};function fn(e){return/^([a-z][a-z\d+\-.]*:)?\/\//i.test(e)}function dn(e,t){return t?e.replace(/\/?\/$/,"")+"/"+t.replace(/^\/+/,""):e}function We(e,t){return e&&!fn(t)?dn(e,t):t}const ge=e=>e instanceof A?{...e}:e;function D(e,t){t=t||{};const n={};function r(u,l,d){return a.isPlainObject(u)&&a.isPlainObject(l)?a.merge.call({caseless:d},u,l):a.isPlainObject(l)?a.merge({},l):a.isArray(l)?l.slice():l}function s(u,l,d){if(a.isUndefined(l)){if(!a.isUndefined(u))return r(void 0,u,d)}else return r(u,l,d)}function o(u,l){if(!a.isUndefined(l))return r(void 0,l)}function i(u,l){if(a.isUndefined(l)){if(!a.isUndefined(u))return r(void 0,u)}else return r(void 0,l)}function c(u,l,d){if(d in t)return r(u,l);if(d in e)return r(void 0,u)}const f={url:o,method:o,data:o,baseURL:i,transformRequest:i,transformResponse:i,paramsSerializer:i,timeout:i,timeoutMessage:i,withCredentials:i,withXSRFToken:i,adapter:i,responseType:i,xsrfCookieName:i,xsrfHeaderName:i,onUploadProgress:i,onDownloadProgress:i,decompress:i,maxContentLength:i,maxBodyLength:i,beforeRedirect:i,transport:i,httpAgent:i,httpsAgent:i,cancelToken:i,socketPath:i,responseEncoding:i,validateStatus:c,headers:(u,l)=>s(ge(u),ge(l),!0)};return a.forEach(Object.keys(Object.assign({},e,t)),function(l){const d=f[l]||s,b=d(e[l],t[l],l);a.isUndefined(b)&&d!==c||(n[l]=b)}),n}const $e=e=>{const t=D({},e);let{data:n,withXSRFToken:r,xsrfHeaderName:s,xsrfCookieName:o,headers:i,auth:c}=t;t.headers=i=A.from(i),t.url=He(We(t.baseURL,t.url),e.params,e.paramsSerializer),c&&i.set("Authorization","Basic "+btoa((c.username||"")+":"+(c.password?unescape(encodeURIComponent(c.password)):"")));let f;if(a.isFormData(n)){if(T.hasStandardBrowserEnv||T.hasStandardBrowserWebWorkerEnv)i.setContentType(void 0);else if((f=i.getContentType())!==!1){const[u,...l]=f?f.split(";").map(d=>d.trim()).filter(Boolean):[];i.setContentType([u||"multipart/form-data",...l].join("; "))}}if(T.hasStandardBrowserEnv&&(r&&a.isFunction(r)&&(r=r(t)),r||r!==!1&&un(t.url))){const u=s&&o&&ln.read(o);u&&i.set(s,u)}return t},pn=typeof XMLHttpRequest<"u",hn=pn&&function(e){return new Promise(function(n,r){const s=$e(e);let o=s.data;const i=A.from(s.headers).normalize();let{responseType:c,onUploadProgress:f,onDownloadProgress:u}=s,l,d,b,R,p;function y(){R&&R(),p&&p(),s.cancelToken&&s.cancelToken.unsubscribe(l),s.signal&&s.signal.removeEventListener("abort",l)}let h=new XMLHttpRequest;h.open(s.method.toUpperCase(),s.url,!0),h.timeout=s.timeout;function w(){if(!h)return;const g=A.from("getAllResponseHeaders"in h&&h.getAllResponseHeaders()),O={data:!c||c==="text"||c==="json"?h.responseText:h.response,status:h.status,statusText:h.statusText,headers:g,config:e,request:h};Ve(function(F){n(F),y()},function(F){r(F),y()},O),h=null}"onloadend"in h?h.onloadend=w:h.onreadystatechange=function(){!h||h.readyState!==4||h.status===0&&!(h.responseURL&&h.responseURL.indexOf("file:")===0)||setTimeout(w)},h.onabort=function(){h&&(r(new m("Request aborted",m.ECONNABORTED,e,h)),h=null)},h.onerror=function(){r(new m("Network Error",m.ERR_NETWORK,e,h)),h=null},h.ontimeout=function(){let N=s.timeout?"timeout of "+s.timeout+"ms exceeded":"timeout exceeded";const O=s.transitional||Me;s.timeoutErrorMessage&&(N=s.timeoutErrorMessage),r(new m(N,O.clarifyTimeoutError?m.ETIMEDOUT:m.ECONNABORTED,e,h)),h=null},o===void 0&&i.setContentType(null),"setRequestHeader"in h&&a.forEach(i.toJSON(),function(N,O){h.setRequestHeader(O,N)}),a.isUndefined(s.withCredentials)||(h.withCredentials=!!s.withCredentials),c&&c!=="json"&&(h.responseType=s.responseType),u&&([b,p]=V(u,!0),h.addEventListener("progress",b)),f&&h.upload&&([d,R]=V(f),h.upload.addEventListener("progress",d),h.upload.addEventListener("loadend",R)),(s.cancelToken||s.signal)&&(l=g=>{h&&(r(!g||g.type?new k(null,e,h):g),h.abort(),h=null)},s.cancelToken&&s.cancelToken.subscribe(l),s.signal&&(s.signal.aborted?l():s.signal.addEventListener("abort",l)));const S=on(s.url);if(S&&T.protocols.indexOf(S)===-1){r(new m("Unsupported protocol "+S+":",m.ERR_BAD_REQUEST,e));return}h.send(o||null)})},mn=(e,t)=>{const{length:n}=e=e?e.filter(Boolean):[];if(t||n){let r=new AbortController,s;const o=function(u){if(!s){s=!0,c();const l=u instanceof Error?u:this.reason;r.abort(l instanceof m?l:new k(l instanceof Error?l.message:l))}};let i=t&&setTimeout(()=>{i=null,o(new m(`timeout ${t} of ms exceeded`,m.ETIMEDOUT))},t);const c=()=>{e&&(i&&clearTimeout(i),i=null,e.forEach(u=>{u.unsubscribe?u.unsubscribe(o):u.removeEventListener("abort",o)}),e=null)};e.forEach(u=>u.addEventListener("abort",o));const{signal:f}=r;return f.unsubscribe=()=>a.asap(c),f}},yn=function*(e,t){let n=e.byteLength;if(n{const s=bn(e,t);let o=0,i,c=f=>{i||(i=!0,r&&r(f))};return new ReadableStream({async pull(f){try{const{done:u,value:l}=await s.next();if(u){c(),f.close();return}let d=l.byteLength;if(n){let b=o+=d;n(b)}f.enqueue(new Uint8Array(l))}catch(u){throw c(u),u}},cancel(f){return c(f),s.return()}},{highWaterMark:2})},X=typeof fetch=="function"&&typeof Request=="function"&&typeof Response=="function",ve=X&&typeof ReadableStream=="function",En=X&&(typeof TextEncoder=="function"?(e=>t=>e.encode(t))(new TextEncoder):async e=>new Uint8Array(await new Response(e).arrayBuffer())),Ke=(e,...t)=>{try{return!!e(...t)}catch{return!1}},Rn=ve&&Ke(()=>{let e=!1;const t=new Request(T.origin,{body:new ReadableStream,method:"POST",get duplex(){return e=!0,"half"}}).headers.has("Content-Type");return e&&!t}),Te=64*1024,se=ve&&Ke(()=>a.isReadableStream(new Response("").body)),W={stream:se&&(e=>e.body)};X&&(e=>{["text","arrayBuffer","blob","formData","stream"].forEach(t=>{!W[t]&&(W[t]=a.isFunction(e[t])?n=>n[t]():(n,r)=>{throw new m(`Response type '${t}' is not supported`,m.ERR_NOT_SUPPORT,r)})})})(new Response);const Sn=async e=>{if(e==null)return 0;if(a.isBlob(e))return e.size;if(a.isSpecCompliantForm(e))return(await new Request(T.origin,{method:"POST",body:e}).arrayBuffer()).byteLength;if(a.isArrayBufferView(e)||a.isArrayBuffer(e))return e.byteLength;if(a.isURLSearchParams(e)&&(e=e+""),a.isString(e))return(await En(e)).byteLength},gn=async(e,t)=>{const n=a.toFiniteNumber(e.getContentLength());return n??Sn(t)},On=X&&(async e=>{let{url:t,method:n,data:r,signal:s,cancelToken:o,timeout:i,onDownloadProgress:c,onUploadProgress:f,responseType:u,headers:l,withCredentials:d="same-origin",fetchOptions:b}=$e(e);u=u?(u+"").toLowerCase():"text";let R=mn([s,o&&o.toAbortSignal()],i),p;const y=R&&R.unsubscribe&&(()=>{R.unsubscribe()});let h;try{if(f&&Rn&&n!=="get"&&n!=="head"&&(h=await gn(l,r))!==0){let O=new Request(t,{method:"POST",body:r,duplex:"half"}),P;if(a.isFormData(r)&&(P=O.headers.get("content-type"))&&l.setContentType(P),O.body){const[F,M]=Re(h,V(Se(f)));r=Oe(O.body,Te,F,M)}}a.isString(d)||(d=d?"include":"omit");const w="credentials"in Request.prototype;p=new Request(t,{...b,signal:R,method:n.toUpperCase(),headers:l.normalize().toJSON(),body:r,duplex:"half",credentials:w?d:void 0});let S=await fetch(p);const g=se&&(u==="stream"||u==="response");if(se&&(c||g&&y)){const O={};["status","statusText","headers"].forEach(pe=>{O[pe]=S[pe]});const P=a.toFiniteNumber(S.headers.get("content-length")),[F,M]=c&&Re(P,V(Se(c),!0))||[];S=new Response(Oe(S.body,Te,F,()=>{M&&M(),y&&y()}),O)}u=u||"text";let N=await W[a.findKey(W,u)||"text"](S,e);return!g&&y&&y(),await new Promise((O,P)=>{Ve(O,P,{data:N,headers:A.from(S.headers),status:S.status,statusText:S.statusText,config:e,request:p})})}catch(w){throw y&&y(),w&&w.name==="TypeError"&&/fetch/i.test(w.message)?Object.assign(new m("Network Error",m.ERR_NETWORK,e,p),{cause:w.cause||w}):m.from(w,w&&w.code,e,p)}}),oe={http:jt,xhr:hn,fetch:On};a.forEach(oe,(e,t)=>{if(e){try{Object.defineProperty(e,"name",{value:t})}catch{}Object.defineProperty(e,"adapterName",{value:t})}});const Ae=e=>`- ${e}`,Tn=e=>a.isFunction(e)||e===null||e===!1,Ge={getAdapter:e=>{e=a.isArray(e)?e:[e];const{length:t}=e;let n,r;const s={};for(let o=0;o`adapter ${c} `+(f===!1?"is not supported by the environment":"is not available in the build"));let i=t?o.length>1?`since : -`+o.map(Ae).join(` -`):" "+Ae(o[0]):"as no adapter specified";throw new m("There is no suitable adapter to dispatch the request "+i,"ERR_NOT_SUPPORT")}return r},adapters:oe};function ee(e){if(e.cancelToken&&e.cancelToken.throwIfRequested(),e.signal&&e.signal.aborted)throw new k(null,e)}function xe(e){return ee(e),e.headers=A.from(e.headers),e.data=Y.call(e,e.transformRequest),["post","put","patch"].indexOf(e.method)!==-1&&e.headers.setContentType("application/x-www-form-urlencoded",!1),Ge.getAdapter(e.adapter||H.adapter)(e).then(function(r){return ee(e),r.data=Y.call(e,e.transformResponse,r),r.headers=A.from(r.headers),r},function(r){return Je(r)||(ee(e),r&&r.response&&(r.response.data=Y.call(e,e.transformResponse,r.response),r.response.headers=A.from(r.response.headers))),Promise.reject(r)})}const Xe="1.7.7",fe={};["object","boolean","number","function","string","symbol"].forEach((e,t)=>{fe[e]=function(r){return typeof r===e||"a"+(t<1?"n ":" ")+e}});const Ce={};fe.transitional=function(t,n,r){function s(o,i){return"[Axios v"+Xe+"] Transitional option '"+o+"'"+i+(r?". "+r:"")}return(o,i,c)=>{if(t===!1)throw new m(s(i," has been removed"+(n?" in "+n:"")),m.ERR_DEPRECATED);return n&&!Ce[i]&&(Ce[i]=!0,console.warn(s(i," has been deprecated since v"+n+" and will be removed in the near future"))),t?t(o,i,c):!0}};function An(e,t,n){if(typeof e!="object")throw new m("options must be an object",m.ERR_BAD_OPTION_VALUE);const r=Object.keys(e);let s=r.length;for(;s-- >0;){const o=r[s],i=t[o];if(i){const c=e[o],f=c===void 0||i(c,o,e);if(f!==!0)throw new m("option "+o+" must be "+f,m.ERR_BAD_OPTION_VALUE);continue}if(n!==!0)throw new m("Unknown option "+o,m.ERR_BAD_OPTION)}}const ie={assertOptions:An,validators:fe},_=ie.validators;class B{constructor(t){this.defaults=t,this.interceptors={request:new we,response:new we}}async request(t,n){try{return await this._request(t,n)}catch(r){if(r instanceof Error){let s;Error.captureStackTrace?Error.captureStackTrace(s={}):s=new Error;const o=s.stack?s.stack.replace(/^.+\n/,""):"";try{r.stack?o&&!String(r.stack).endsWith(o.replace(/^.+\n.+\n/,""))&&(r.stack+=` -`+o):r.stack=o}catch{}}throw r}}_request(t,n){typeof t=="string"?(n=n||{},n.url=t):n=t||{},n=D(this.defaults,n);const{transitional:r,paramsSerializer:s,headers:o}=n;r!==void 0&&ie.assertOptions(r,{silentJSONParsing:_.transitional(_.boolean),forcedJSONParsing:_.transitional(_.boolean),clarifyTimeoutError:_.transitional(_.boolean)},!1),s!=null&&(a.isFunction(s)?n.paramsSerializer={serialize:s}:ie.assertOptions(s,{encode:_.function,serialize:_.function},!0)),n.method=(n.method||this.defaults.method||"get").toLowerCase();let i=o&&a.merge(o.common,o[n.method]);o&&a.forEach(["delete","get","head","post","put","patch","common"],p=>{delete o[p]}),n.headers=A.concat(i,o);const c=[];let f=!0;this.interceptors.request.forEach(function(y){typeof y.runWhen=="function"&&y.runWhen(n)===!1||(f=f&&y.synchronous,c.unshift(y.fulfilled,y.rejected))});const u=[];this.interceptors.response.forEach(function(y){u.push(y.fulfilled,y.rejected)});let l,d=0,b;if(!f){const p=[xe.bind(this),void 0];for(p.unshift.apply(p,c),p.push.apply(p,u),b=p.length,l=Promise.resolve(n);d{if(!r._listeners)return;let o=r._listeners.length;for(;o-- >0;)r._listeners[o](s);r._listeners=null}),this.promise.then=s=>{let o;const i=new Promise(c=>{r.subscribe(c),o=c}).then(s);return i.cancel=function(){r.unsubscribe(o)},i},t(function(o,i,c){r.reason||(r.reason=new k(o,i,c),n(r.reason))})}throwIfRequested(){if(this.reason)throw this.reason}subscribe(t){if(this.reason){t(this.reason);return}this._listeners?this._listeners.push(t):this._listeners=[t]}unsubscribe(t){if(!this._listeners)return;const n=this._listeners.indexOf(t);n!==-1&&this._listeners.splice(n,1)}toAbortSignal(){const t=new AbortController,n=r=>{t.abort(r)};return this.subscribe(n),t.signal.unsubscribe=()=>this.unsubscribe(n),t.signal}static source(){let t;return{token:new de(function(s){t=s}),cancel:t}}}function xn(e){return function(n){return e.apply(null,n)}}function Cn(e){return a.isObject(e)&&e.isAxiosError===!0}const ae={Continue:100,SwitchingProtocols:101,Processing:102,EarlyHints:103,Ok:200,Created:201,Accepted:202,NonAuthoritativeInformation:203,NoContent:204,ResetContent:205,PartialContent:206,MultiStatus:207,AlreadyReported:208,ImUsed:226,MultipleChoices:300,MovedPermanently:301,Found:302,SeeOther:303,NotModified:304,UseProxy:305,Unused:306,TemporaryRedirect:307,PermanentRedirect:308,BadRequest:400,Unauthorized:401,PaymentRequired:402,Forbidden:403,NotFound:404,MethodNotAllowed:405,NotAcceptable:406,ProxyAuthenticationRequired:407,RequestTimeout:408,Conflict:409,Gone:410,LengthRequired:411,PreconditionFailed:412,PayloadTooLarge:413,UriTooLong:414,UnsupportedMediaType:415,RangeNotSatisfiable:416,ExpectationFailed:417,ImATeapot:418,MisdirectedRequest:421,UnprocessableEntity:422,Locked:423,FailedDependency:424,TooEarly:425,UpgradeRequired:426,PreconditionRequired:428,TooManyRequests:429,RequestHeaderFieldsTooLarge:431,UnavailableForLegalReasons:451,InternalServerError:500,NotImplemented:501,BadGateway:502,ServiceUnavailable:503,GatewayTimeout:504,HttpVersionNotSupported:505,VariantAlsoNegotiates:506,InsufficientStorage:507,LoopDetected:508,NotExtended:510,NetworkAuthenticationRequired:511};Object.entries(ae).forEach(([e,t])=>{ae[t]=e});function Qe(e){const t=new B(e),n=Ne(B.prototype.request,t);return a.extend(n,B.prototype,t,{allOwnKeys:!0}),a.extend(n,t,null,{allOwnKeys:!0}),n.create=function(s){return Qe(D(e,s))},n}const E=Qe(H);E.Axios=B;E.CanceledError=k;E.CancelToken=de;E.isCancel=Je;E.VERSION=Xe;E.toFormData=G;E.AxiosError=m;E.Cancel=E.CanceledError;E.all=function(t){return Promise.all(t)};E.spread=xn;E.isAxiosError=Cn;E.mergeConfig=D;E.AxiosHeaders=A;E.formToJSON=e=>ze(a.isHTMLForm(e)?new FormData(e):e);E.getAdapter=Ge.getAdapter;E.HttpStatusCode=ae;E.default=E;exports.axios=E; diff --git a/dist/composables/sprunjer.d.ts b/dist/composables/sprunjer.d.ts deleted file mode 100644 index e6aabe34..00000000 --- a/dist/composables/sprunjer.d.ts +++ /dev/null @@ -1,41 +0,0 @@ -import { Ref, ComputedRef } from 'vue'; -interface AssociativeArray { - [key: string]: string | null; -} -interface Sprunjer { - dataUrl: any; - size: Ref; - page: Ref; - totalPages: ComputedRef; - countFiltered: ComputedRef; - first: ComputedRef; - last: ComputedRef; - sorts: Ref; - filters: Ref; - data: Ref; - loading: Ref; - count: ComputedRef; - rows: ComputedRef; - fetch: () => void; - toggleSort: (column: string) => void; - downloadCsv: () => void; -} -declare const useSprunjer: (dataUrl: any, defaultSorts?: AssociativeArray, defaultFilters?: AssociativeArray, defaultSize?: number, defaultPage?: number) => { - dataUrl: any; - size: Ref; - page: Ref; - sorts: Ref; - filters: Ref; - data: Ref; - fetch: () => Promise; - loading: Ref; - downloadCsv: () => void; - totalPages: ComputedRef; - countFiltered: ComputedRef; - count: ComputedRef; - rows: ComputedRef; - first: ComputedRef; - last: ComputedRef; - toggleSort: (column: string) => void; -}; -export { useSprunjer, type Sprunjer, type AssociativeArray }; diff --git a/dist/interfaces/alerts.d.ts b/dist/interfaces/alerts.d.ts deleted file mode 100644 index 5019f7b9..00000000 --- a/dist/interfaces/alerts.d.ts +++ /dev/null @@ -1,8 +0,0 @@ -import { Severity } from './severity'; -export interface AlertInterface { - title?: string; - description?: string; - style?: Severity | keyof typeof Severity; - closeBtn?: boolean; - hideIcon?: boolean; -} diff --git a/dist/interfaces/index.d.ts b/dist/interfaces/index.d.ts deleted file mode 100644 index bc5a7937..00000000 --- a/dist/interfaces/index.d.ts +++ /dev/null @@ -1,3 +0,0 @@ -import { AlertInterface } from './alerts'; -import { Severity } from './severity'; -export { type AlertInterface, Severity }; diff --git a/dist/interfaces/severity.d.ts b/dist/interfaces/severity.d.ts deleted file mode 100644 index d6aeca35..00000000 --- a/dist/interfaces/severity.d.ts +++ /dev/null @@ -1,24 +0,0 @@ -/** - * Severity Enum - * - * This is a shared enum used to define the severity of different components - * (e.g., alert, button, etc.). This makes it easier to reference severity - * levels across multiple components, also defining a common concept across - * themes. - * - * Template components must accept all values of this enum as valid input. - * However, themes may choose to ignore or bind some values to another style. - * For example, a theme might not have an 'Info' colored button. In this case, - * the theme's button component must accept 'Info' as a valid input, but it can - * map it to the 'Primary' style. - */ -export declare enum Severity { - Primary = "Primary", - Secondary = "Secondary", - Success = "Success", - Warning = "Warning", - Danger = "Danger", - Info = "Info", - Muted = "Muted",// Aka, Disabled - Default = "Default" -} diff --git a/dist/plugin.cjs b/dist/plugin.cjs deleted file mode 100644 index 66e1168a..00000000 --- a/dist/plugin.cjs +++ /dev/null @@ -1 +0,0 @@ -"use strict";Object.defineProperties(exports,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}});const e=require("./stores.cjs"),o={install:()=>{e.useConfigStore().load()}};exports.default=o; diff --git a/dist/plugin.d.ts b/dist/plugin.d.ts deleted file mode 100644 index ca68e642..00000000 --- a/dist/plugin.d.ts +++ /dev/null @@ -1,4 +0,0 @@ -declare const _default: { - install: () => void; -}; -export default _default; diff --git a/dist/plugin.js b/dist/plugin.js deleted file mode 100644 index e5598b9d..00000000 --- a/dist/plugin.js +++ /dev/null @@ -1,9 +0,0 @@ -import { useConfigStore as o } from "./stores.js"; -const i = { - install: () => { - o().load(); - } -}; -export { - i as default -}; diff --git a/dist/sprunjer.cjs b/dist/sprunjer.cjs deleted file mode 100644 index 6078d119..00000000 --- a/dist/sprunjer.cjs +++ /dev/null @@ -1 +0,0 @@ -"use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const e=require("vue"),x=require("./axios-tuVKNgv9.cjs"),_=(l,v={},f={},d=10,p=0)=>{const o=e.ref(d),a=e.ref(p),r=e.ref(v),c=e.ref(f),t=e.ref({}),s=e.ref(!1);async function i(){s.value=!0,x.axios.get(e.toValue(l),{params:{size:o.value,page:a.value,sorts:r.value,filters:c.value}}).then(u=>{t.value=u.data,s.value=!1}).catch(u=>{console.error(u)})}const m=e.computed(()=>Math.max(Math.ceil((t.value.count_filtered??0)/o.value)-1,0)),g=e.computed(()=>t.value.count??0),h=e.computed(()=>Math.min(a.value*o.value+1,t.value.count??0)),w=e.computed(()=>Math.min((a.value+1)*o.value,t.value.count_filtered??0)),M=e.computed(()=>t.value.count_filtered??0),S=e.computed(()=>t.value.rows??[]);function y(){console.log("Not yet implemented")}function j(u){let n;r.value[u]==="asc"?n="desc":r.value[u]==="desc"?n=null:n="asc",r.value[u]=n}return e.watchEffect(()=>{i()}),{dataUrl:l,size:o,page:a,sorts:r,filters:c,data:t,fetch:i,loading:s,downloadCsv:y,totalPages:m,countFiltered:M,count:g,rows:S,first:h,last:w,toggleSort:j}};exports.useSprunjer=_; diff --git a/dist/sprunjer.js b/dist/sprunjer.js deleted file mode 100644 index 84229287..00000000 --- a/dist/sprunjer.js +++ /dev/null @@ -1,50 +0,0 @@ -import { ref as a, computed as o, watchEffect as S, toValue as j } from "vue"; -import { a as C } from "./axios-CXDYiOMX.js"; -const N = (c, f = {}, d = {}, m = 10, p = 0) => { - const n = a(m), s = a(p), l = a(f), i = a(d), e = a({}), r = a(!1); - async function v() { - r.value = !0, C.get(j(c), { - params: { - size: n.value, - page: s.value, - sorts: l.value, - filters: i.value - } - }).then((t) => { - e.value = t.data, r.value = !1; - }).catch((t) => { - console.error(t); - }); - } - const g = o(() => Math.max(Math.ceil((e.value.count_filtered ?? 0) / n.value) - 1, 0)), h = o(() => e.value.count ?? 0), w = o(() => Math.min(s.value * n.value + 1, e.value.count ?? 0)), M = o(() => Math.min((s.value + 1) * n.value, e.value.count_filtered ?? 0)), x = o(() => e.value.count_filtered ?? 0), _ = o(() => e.value.rows ?? []); - function y() { - console.log("Not yet implemented"); - } - function z(t) { - let u; - l.value[t] === "asc" ? u = "desc" : l.value[t] === "desc" ? u = null : u = "asc", l.value[t] = u; - } - return S(() => { - v(); - }), { - dataUrl: c, - size: n, - page: s, - sorts: l, - filters: i, - data: e, - fetch: v, - loading: r, - downloadCsv: y, - totalPages: g, - countFiltered: x, - count: h, - rows: _, - first: w, - last: M, - toggleSort: z - }; -}; -export { - N as useSprunjer -}; diff --git a/dist/stores.cjs b/dist/stores.cjs deleted file mode 100644 index 24ece3e0..00000000 --- a/dist/stores.cjs +++ /dev/null @@ -1 +0,0 @@ -"use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const o=require("pinia"),f=require("./axios-tuVKNgv9.cjs"),d=n=>{const t=typeof n;return n!==null&&(t==="object"||t==="function")},s=new Set(["__proto__","prototype","constructor"]),c=new Set("0123456789");function u(n){const t=[];let r="",e="start",i=!1;for(const a of n)switch(a){case"\\":{if(e==="index")throw new Error("Invalid character in an index");if(e==="indexEnd")throw new Error("Invalid character after an index");i&&(r+=a),e="property",i=!i;break}case".":{if(e==="index")throw new Error("Invalid character in an index");if(e==="indexEnd"){e="property";break}if(i){i=!1,r+=a;break}if(s.has(r))return[];t.push(r),r="",e="property";break}case"[":{if(e==="index")throw new Error("Invalid character in an index");if(e==="indexEnd"){e="index";break}if(i){i=!1,r+=a;break}if(e==="property"){if(s.has(r))return[];t.push(r),r=""}e="index";break}case"]":{if(e==="index"){t.push(Number.parseInt(r,10)),r="",e="indexEnd";break}if(e==="indexEnd")throw new Error("Invalid character after an index")}default:{if(e==="index"&&!c.has(a))throw new Error("Invalid character in an index");if(e==="indexEnd")throw new Error("Invalid character after an index");e==="start"&&(e="property"),i&&(i=!1,r+="\\"),r+=a}}switch(i&&(r+="\\"),e){case"property":{if(s.has(r))return[];t.push(r);break}case"index":throw new Error("Index was not closed");case"start":{t.push("");break}}return t}function h(n,t){if(typeof t!="number"&&Array.isArray(n)){const r=Number.parseInt(t,10);return Number.isInteger(r)&&n[r]===n[t]}return!1}function p(n,t,r){if(!d(n)||typeof t!="string")return r===void 0?n:r;const e=u(t);if(e.length===0)return r;for(let i=0;i({config:{}}),getters:{get:n=>(t,r)=>p(n.config,t,r)},actions:{async load(){f.axios.get("/api/config").then(n=>{this.config=n.data})}}});exports.useConfigStore=l; diff --git a/dist/stores.js b/dist/stores.js deleted file mode 100644 index ba7d4b87..00000000 --- a/dist/stores.js +++ /dev/null @@ -1,132 +0,0 @@ -import { defineStore as o } from "pinia"; -import { a as f } from "./axios-CXDYiOMX.js"; -const d = (n) => { - const t = typeof n; - return n !== null && (t === "object" || t === "function"); -}, s = /* @__PURE__ */ new Set([ - "__proto__", - "prototype", - "constructor" -]), c = new Set("0123456789"); -function h(n) { - const t = []; - let r = "", e = "start", i = !1; - for (const a of n) - switch (a) { - case "\\": { - if (e === "index") - throw new Error("Invalid character in an index"); - if (e === "indexEnd") - throw new Error("Invalid character after an index"); - i && (r += a), e = "property", i = !i; - break; - } - case ".": { - if (e === "index") - throw new Error("Invalid character in an index"); - if (e === "indexEnd") { - e = "property"; - break; - } - if (i) { - i = !1, r += a; - break; - } - if (s.has(r)) - return []; - t.push(r), r = "", e = "property"; - break; - } - case "[": { - if (e === "index") - throw new Error("Invalid character in an index"); - if (e === "indexEnd") { - e = "index"; - break; - } - if (i) { - i = !1, r += a; - break; - } - if (e === "property") { - if (s.has(r)) - return []; - t.push(r), r = ""; - } - e = "index"; - break; - } - case "]": { - if (e === "index") { - t.push(Number.parseInt(r, 10)), r = "", e = "indexEnd"; - break; - } - if (e === "indexEnd") - throw new Error("Invalid character after an index"); - } - default: { - if (e === "index" && !c.has(a)) - throw new Error("Invalid character in an index"); - if (e === "indexEnd") - throw new Error("Invalid character after an index"); - e === "start" && (e = "property"), i && (i = !1, r += "\\"), r += a; - } - } - switch (i && (r += "\\"), e) { - case "property": { - if (s.has(r)) - return []; - t.push(r); - break; - } - case "index": - throw new Error("Index was not closed"); - case "start": { - t.push(""); - break; - } - } - return t; -} -function u(n, t) { - if (typeof t != "number" && Array.isArray(n)) { - const r = Number.parseInt(t, 10); - return Number.isInteger(r) && n[r] === n[t]; - } - return !1; -} -function p(n, t, r) { - if (!d(n) || typeof t != "string") - return r === void 0 ? n : r; - const e = h(t); - if (e.length === 0) - return r; - for (let i = 0; i < e.length; i++) { - const a = e[i]; - if (u(n, a) ? n = i === e.length - 1 ? void 0 : null : n = n[a], n == null) { - if (i !== e.length - 1) - return r; - break; - } - } - return n === void 0 ? r : n; -} -const g = o("config", { - persist: !0, - state: () => ({ - config: {} - }), - getters: { - get: (n) => (t, r) => p(n.config, t, r) - }, - actions: { - async load() { - f.get("/api/config").then((n) => { - this.config = n.data; - }); - } - } -}); -export { - g as useConfigStore -}; diff --git a/dist/stores/config.d.ts b/dist/stores/config.d.ts deleted file mode 100644 index b3077810..00000000 --- a/dist/stores/config.d.ts +++ /dev/null @@ -1,11 +0,0 @@ -export declare const useConfigStore: import('pinia').StoreDefinition<"config", { - config: {}; -}, { - get: (state: { - config: {}; - } & import('pinia').PiniaCustomStateProperties<{ - config: {}; - }>) => (key: string, value?: any) => any; -}, { - load(): Promise; -}>; diff --git a/dist/tests/interfaces/alerts.test.d.ts b/dist/tests/interfaces/alerts.test.d.ts deleted file mode 100644 index cb0ff5c3..00000000 --- a/dist/tests/interfaces/alerts.test.d.ts +++ /dev/null @@ -1 +0,0 @@ -export {}; diff --git a/dist/tests/plugin.test.d.ts b/dist/tests/plugin.test.d.ts deleted file mode 100644 index cb0ff5c3..00000000 --- a/dist/tests/plugin.test.d.ts +++ /dev/null @@ -1 +0,0 @@ -export {}; diff --git a/dist/tests/stores/config.test.d.ts b/dist/tests/stores/config.test.d.ts deleted file mode 100644 index cb0ff5c3..00000000 --- a/dist/tests/stores/config.test.d.ts +++ /dev/null @@ -1 +0,0 @@ -export {}; diff --git a/dist/types.cjs b/dist/types.cjs deleted file mode 100644 index b42a7f1b..00000000 --- a/dist/types.cjs +++ /dev/null @@ -1 +0,0 @@ -"use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});var n=(a=>(a.Primary="Primary",a.Secondary="Secondary",a.Success="Success",a.Warning="Warning",a.Danger="Danger",a.Info="Info",a.Muted="Muted",a.Default="Default",a))(n||{});exports.Severity=n; diff --git a/dist/types.js b/dist/types.js deleted file mode 100644 index bcd226e1..00000000 --- a/dist/types.js +++ /dev/null @@ -1,4 +0,0 @@ -var n = /* @__PURE__ */ ((a) => (a.Primary = "Primary", a.Secondary = "Secondary", a.Success = "Success", a.Warning = "Warning", a.Danger = "Danger", a.Info = "Info", a.Muted = "Muted", a.Default = "Default", a))(n || {}); -export { - n as Severity -}; diff --git a/package.json b/package.json index 80f84164..ae92879e 100644 --- a/package.json +++ b/package.json @@ -24,31 +24,13 @@ "url": "https://github.com/userfrosting/UserFrosting/issues" }, "exports": { - ".": { - "import": "./dist/plugin.js", - "require": "./dist/plugin.cjs", - "types": "./dist/plugin.d.ts" - }, - "./types": { - "import": "./dist/types.js", - "require": "./dist/types.cjs", - "types": "./dist/interfaces/index.d.ts" - }, - "./stores": { - "import": "./dist/stores.js", - "require": "./dist/stores.cjs", - "types": "./dist/stores/config.d.ts" - }, - "./sprunjer": { - "import": "./dist/sprunjer.js", - "require": "./dist/sprunjer.cjs", - "types": "./dist/composables/sprunjer.d.ts" - }, - "./*": "./app/assets/*" + ".": "./app/assets/index.ts", + "./interfaces": "./app/assets/interfaces/index.ts", + "./stores": "./app/assets/stores/index.ts", + "./composables": "./app/assets/composables/index.ts" }, "files": [ - "app/assets/", - "dist/" + "app/assets/" ], "dependencies": { "dot-prop": "^9.0.0" @@ -84,6 +66,7 @@ }, "scripts": { "dev": "vite", + "typecheck": "vue-tsc --noEmit", "build": "vue-tsc && vite build", "lint": "eslint app/assets/ --ext .vue,.js,.jsx,.cjs,.mjs,.ts,.tsx,.cts,.mts --fix --ignore-path .gitignore", "format": "prettier --write app/assets/", diff --git a/vite.config.ts b/vite.config.ts index db9d206a..165b43f2 100644 --- a/vite.config.ts +++ b/vite.config.ts @@ -12,10 +12,10 @@ export default defineConfig({ outDir: './dist', lib: { entry: { - plugin: 'app/assets/plugin.ts', - types: 'app/assets/interfaces/index.ts', - stores: 'app/assets/stores/config.ts', - sprunjer: 'app/assets/composables/sprunjer.ts' + main: 'app/assets/index.ts', + interfaces: 'app/assets/interfaces/index.ts', + stores: 'app/assets/stores/index.ts', + composables: 'app/assets/composables/index.ts' } }, rollupOptions: {