nuxt-graphql-middleware 4.2.0 → 4.3.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (52) hide show
  1. package/dist/client/200.html +9 -9
  2. package/dist/client/404.html +9 -9
  3. package/dist/client/_nuxt/{BBbivCOF.js → B4FhP7a6.js} +1 -1
  4. package/dist/client/_nuxt/CH4m2wxh.js +25 -0
  5. package/dist/client/_nuxt/{DbuEOF3O.js → CPd6XBwJ.js} +1 -1
  6. package/dist/client/_nuxt/{Ch07F_Ul.js → GKcsigNx.js} +1 -1
  7. package/dist/client/_nuxt/{BKf42UCq.js → VR7nYXIq.js} +1 -1
  8. package/dist/client/_nuxt/builds/latest.json +1 -1
  9. package/dist/client/_nuxt/builds/meta/172a2fbf-9aed-4d11-81c4-ac46ab9b664c.json +1 -0
  10. package/dist/client/index.html +9 -9
  11. package/dist/module.d.mts +18 -14
  12. package/dist/module.d.ts +18 -14
  13. package/dist/module.json +1 -1
  14. package/dist/module.mjs +72 -36
  15. package/dist/runtime/clientOptions/index.d.ts +2 -0
  16. package/dist/runtime/clientOptions/index.js +3 -0
  17. package/dist/runtime/composables/nuxtApp.js +1 -1
  18. package/dist/runtime/composables/useAsyncGraphqlQuery.d.ts +4 -2
  19. package/dist/runtime/composables/useAsyncGraphqlQuery.js +26 -10
  20. package/dist/runtime/composables/useGraphqlMutation.d.ts +2 -2
  21. package/dist/runtime/composables/useGraphqlMutation.js +19 -2
  22. package/dist/runtime/composables/useGraphqlQuery.d.ts +2 -2
  23. package/dist/runtime/composables/useGraphqlQuery.js +29 -4
  24. package/dist/runtime/composables/useGraphqlUploadMutation.d.ts +2 -2
  25. package/dist/runtime/composables/useGraphqlUploadMutation.js +19 -3
  26. package/dist/runtime/{composables/shared.d.ts → helpers/composables.d.ts} +8 -1
  27. package/dist/runtime/helpers/composables.js +17 -0
  28. package/dist/runtime/server/tsconfig.json +3 -0
  29. package/dist/runtime/server/utils/index.d.ts +3 -0
  30. package/dist/runtime/server/utils/index.js +12 -0
  31. package/dist/runtime/server/utils/useGraphqlMutation.d.ts +7 -0
  32. package/dist/runtime/server/utils/useGraphqlMutation.js +20 -0
  33. package/dist/runtime/server/utils/useGraphqlQuery.d.ts +7 -0
  34. package/dist/runtime/server/utils/useGraphqlQuery.js +21 -0
  35. package/dist/runtime/serverHandler/helpers/index.d.ts +9 -5
  36. package/dist/runtime/serverHandler/helpers/index.js +40 -9
  37. package/dist/runtime/serverHandler/index.js +15 -7
  38. package/dist/runtime/serverHandler/upload.js +16 -7
  39. package/dist/runtime/serverOptions/defineGraphqlServerOptions.d.ts +2 -1
  40. package/dist/runtime/settings/index.d.ts +2 -1
  41. package/dist/runtime/settings/index.js +2 -1
  42. package/dist/runtime/types.d.ts +52 -1
  43. package/package.json +6 -2
  44. package/dist/client/_nuxt/CaoFd9E8.js +0 -25
  45. package/dist/client/_nuxt/builds/meta/fff2eb15-13a3-4063-86e7-990068006f7e.json +0 -1
  46. package/dist/runtime/composables/server.d.ts +0 -11
  47. package/dist/runtime/composables/server.js +0 -29
  48. package/dist/runtime/composables/shared.js +0 -5
  49. /package/dist/client/_nuxt/{entry.DlumAtbg.css → entry.D9ltLgme.css} +0 -0
  50. /package/dist/client/_nuxt/{error-404.C_4C5G96.css → error-404.SWzu_puR.css} +0 -0
  51. /package/dist/client/_nuxt/{error-500.CBAEdpZV.css → error-500.Bkv_zTjr.css} +0 -0
  52. /package/dist/client/_nuxt/{index.DCCKx2Zk.css → index.D19Q16VT.css} +0 -0
@@ -1,6 +1,6 @@
1
1
  import type { FetchOptions, FetchContext } from 'ofetch';
2
2
  import type { GraphqlResponse } from '#graphql-middleware-server-options-build';
3
- import type { GraphqlMiddlewareResponseUnion } from '#build/nuxt-graphql-middleware';
3
+ import type { GraphqlMiddlewareResponseUnion } from '#nuxt-graphql-middleware/generated-types';
4
4
  export type GraphqlResponseErrorLocation = {
5
5
  line: number;
6
6
  column: number;
@@ -22,3 +22,54 @@ export interface GraphqlMiddlewareState {
22
22
  export type RequestCacheOptions = {
23
23
  client?: boolean;
24
24
  };
25
+ export type ContextType = {
26
+ [key: string]: string | null | undefined;
27
+ };
28
+ export type GraphqlClientOptions<T extends ContextType = ContextType> = {
29
+ /**
30
+ * Build the client context for this request.
31
+ *
32
+ * The method should return an object whose properties and values are strings.
33
+ * This object will be encoded as a query param when making the request to
34
+ * the GraphQL middleware. Each property name is prefixed when converted to a
35
+ * query param to prevent collisions.
36
+ *
37
+ * On the server, the context is reassembled and passed to methods in custom
38
+ * server options such as getEndpoint or serverFetchOptions.
39
+ *
40
+ * One use case would be to pass some state of the Nuxt app to your server
41
+ * options such as the current language.
42
+ *
43
+ * @example
44
+ * Define a context.
45
+ *
46
+ * ```typescript
47
+ * export default defineGraphqlClientOptions({
48
+ * buildClientContext() {
49
+ * // Pass the current language as context.
50
+ * const language = useCurrentLanguage()
51
+ * return {
52
+ * language: language.value,
53
+ * }
54
+ * },
55
+ * })
56
+ * ```
57
+ *
58
+ * Now when a GraphQL query is made with useGraphqlQuery the request URL will
59
+ * look like this:
60
+ * `/api/graphql_middleware/myQuery?queryVariable=foo&__gqlc_language=en`
61
+ * ^ your context
62
+ *
63
+ * Then in your serverOptions file, you can then access the context:
64
+ *
65
+ * ```typescript
66
+ * export default defineGraphqlServerOptions({
67
+ * graphqlEndpoint(event, operation, operationName, context) {
68
+ * const language = context?.client?.language || 'en'
69
+ * return `http://backend_server/${language}/graphql`
70
+ * },
71
+ * })
72
+ * ```
73
+ */
74
+ buildClientContext?: () => T;
75
+ };
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "nuxt-graphql-middleware",
3
- "version": "4.2.0",
3
+ "version": "4.3.0",
4
4
  "description": "Module to perform GraphQL requests as a server middleware.",
5
5
  "repository": {
6
6
  "type": "git",
@@ -22,6 +22,10 @@
22
22
  "./dist/runtime/serverOptions": {
23
23
  "import": "./dist/runtime/serverOptions/index.js",
24
24
  "types": "./dist/runtime/serverOptions/index.d.ts"
25
+ },
26
+ "./dist/runtime/clientOptions": {
27
+ "import": "./dist/runtime/clientOptions/index.js",
28
+ "types": "./dist/runtime/clientOptions/index.d.ts"
25
29
  }
26
30
  },
27
31
  "main": "./dist/module.cjs",
@@ -90,7 +94,7 @@
90
94
  "strip-ansi": "^7.1.0",
91
95
  "typedoc": "^0.26.3",
92
96
  "typedoc-plugin-markdown": "^4.1.1",
93
- "vitepress": "^1.2.3",
97
+ "vitepress": "^1.5.0",
94
98
  "vitest": "^1.6.0",
95
99
  "vue-tsc": "^2.1.6"
96
100
  }
@@ -1,25 +0,0 @@
1
- const __vite__mapDeps=(i,m=__vite__mapDeps,d=(m.f||(m.f=["./BKf42UCq.js","./index.DCCKx2Zk.css","./Ch07F_Ul.js","./BBbivCOF.js","./error-404.C_4C5G96.css","./DbuEOF3O.js","./error-500.CBAEdpZV.css"])))=>i.map(i=>d[i]);
2
- /**
3
- * @vue/shared v3.5.5
4
- * (c) 2018-present Yuxi (Evan) You and Vue contributors
5
- * @license MIT
6
- **//*! #__NO_SIDE_EFFECTS__ */function Qr(e){const t=Object.create(null);for(const n of e.split(","))t[n]=1;return n=>n in t}const ce={},on=[],ot=()=>{},Pc=()=>!1,qn=e=>e.charCodeAt(0)===111&&e.charCodeAt(1)===110&&(e.charCodeAt(2)>122||e.charCodeAt(2)<97),Xr=e=>e.startsWith("onUpdate:"),ve=Object.assign,Yr=(e,t)=>{const n=e.indexOf(t);n>-1&&e.splice(n,1)},Ac=Object.prototype.hasOwnProperty,se=(e,t)=>Ac.call(e,t),J=Array.isArray,ln=e=>wn(e)==="[object Map]",vn=e=>wn(e)==="[object Set]",jo=e=>wn(e)==="[object Date]",Oc=e=>wn(e)==="[object RegExp]",Q=e=>typeof e=="function",he=e=>typeof e=="string",it=e=>typeof e=="symbol",le=e=>e!==null&&typeof e=="object",dl=e=>(le(e)||Q(e))&&Q(e.then)&&Q(e.catch),hl=Object.prototype.toString,wn=e=>hl.call(e),Mc=e=>wn(e).slice(8,-1),pl=e=>wn(e)==="[object Object]",Zr=e=>he(e)&&e!=="NaN"&&e[0]!=="-"&&""+parseInt(e,10)===e,an=Qr(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),Ls=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},Hc=/-(\w)/g,Xe=Ls(e=>e.replace(Hc,(t,n)=>n?n.toUpperCase():"")),Ic=/\B([A-Z])/g,Jt=Ls(e=>e.replace(Ic,"-$1").toLowerCase()),Ns=Ls(e=>e.charAt(0).toUpperCase()+e.slice(1)),zs=Ls(e=>e?`on${Ns(e)}`:""),Pt=(e,t)=>!Object.is(e,t),cn=(e,...t)=>{for(let n=0;n<e.length;n++)e[n](...t)},gl=(e,t,n,s=!1)=>{Object.defineProperty(e,t,{configurable:!0,enumerable:!1,writable:s,value:n})},_s=e=>{const t=parseFloat(e);return isNaN(t)?e:t},ml=e=>{const t=he(e)?Number(e):NaN;return isNaN(t)?e:t};let Fo;const yl=()=>Fo||(Fo=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof window<"u"?window:typeof global<"u"?global:{});function $s(e){if(J(e)){const t={};for(let n=0;n<e.length;n++){const s=e[n],r=he(s)?jc(s):$s(s);if(r)for(const o in r)t[o]=r[o]}return t}else if(he(e)||le(e))return e}const Lc=/;(?![^(]*\))/g,Nc=/:([^]+)/,$c=/\/\*[^]*?\*\//g;function jc(e){const t={};return e.replace($c,"").split(Lc).forEach(n=>{if(n){const s=n.split(Nc);s.length>1&&(t[s[0].trim()]=s[1].trim())}}),t}function js(e){let t="";if(he(e))t=e;else if(J(e))for(let n=0;n<e.length;n++){const s=js(e[n]);s&&(t+=s+" ")}else if(le(e))for(const n in e)e[n]&&(t+=n+" ");return t.trim()}function Fc(e){if(!e)return null;let{class:t,style:n}=e;return t&&!he(t)&&(e.class=js(t)),n&&(e.style=$s(n)),e}const Dc="itemscope,allowfullscreen,formnovalidate,ismap,nomodule,novalidate,readonly",Uc=Qr(Dc);function _l(e){return!!e||e===""}function Bc(e,t){if(e.length!==t.length)return!1;let n=!0;for(let s=0;n&&s<e.length;s++)n=Gt(e[s],t[s]);return n}function Gt(e,t){if(e===t)return!0;let n=jo(e),s=jo(t);if(n||s)return n&&s?e.getTime()===t.getTime():!1;if(n=it(e),s=it(t),n||s)return e===t;if(n=J(e),s=J(t),n||s)return n&&s?Bc(e,t):!1;if(n=le(e),s=le(t),n||s){if(!n||!s)return!1;const r=Object.keys(e).length,o=Object.keys(t).length;if(r!==o)return!1;for(const i in e){const l=e.hasOwnProperty(i),a=t.hasOwnProperty(i);if(l&&!a||!l&&a||!Gt(e[i],t[i]))return!1}}return String(e)===String(t)}function eo(e,t){return e.findIndex(n=>Gt(n,t))}const bl=e=>!!(e&&e.__v_isRef===!0),Vc=e=>he(e)?e:e==null?"":J(e)||le(e)&&(e.toString===hl||!Q(e.toString))?bl(e)?Vc(e.value):JSON.stringify(e,vl,2):String(e),vl=(e,t)=>bl(t)?vl(e,t.value):ln(t)?{[`Map(${t.size})`]:[...t.entries()].reduce((n,[s,r],o)=>(n[Qs(s,o)+" =>"]=r,n),{})}:vn(t)?{[`Set(${t.size})`]:[...t.values()].map(n=>Qs(n))}:it(t)?Qs(t):le(t)&&!J(t)&&!pl(t)?String(t):t,Qs=(e,t="")=>{var n;return it(e)?`Symbol(${(n=e.description)!=null?n:t})`:e};/**
7
- * @vue/reactivity v3.5.5
8
- * (c) 2018-present Yuxi (Evan) You and Vue contributors
9
- * @license MIT
10
- **/let $e;class wl{constructor(t=!1){this.detached=t,this._active=!0,this.effects=[],this.cleanups=[],this._isPaused=!1,this.parent=$e,!t&&$e&&(this.index=($e.scopes||($e.scopes=[])).push(this)-1)}get active(){return this._active}pause(){if(this._active){this._isPaused=!0;let t,n;if(this.scopes)for(t=0,n=this.scopes.length;t<n;t++)this.scopes[t].pause();for(t=0,n=this.effects.length;t<n;t++)this.effects[t].pause()}}resume(){if(this._active&&this._isPaused){this._isPaused=!1;let t,n;if(this.scopes)for(t=0,n=this.scopes.length;t<n;t++)this.scopes[t].resume();for(t=0,n=this.effects.length;t<n;t++)this.effects[t].resume()}}run(t){if(this._active){const n=$e;try{return $e=this,t()}finally{$e=n}}}on(){$e=this}off(){$e=this.parent}stop(t){if(this._active){let n,s;for(n=0,s=this.effects.length;n<s;n++)this.effects[n].stop();for(n=0,s=this.cleanups.length;n<s;n++)this.cleanups[n]();if(this.scopes)for(n=0,s=this.scopes.length;n<s;n++)this.scopes[n].stop(!0);if(!this.detached&&this.parent&&!t){const r=this.parent.scopes.pop();r&&r!==this&&(this.parent.scopes[this.index]=r,r.index=this.index)}this.parent=void 0,this._active=!1}}}function Wc(e){return new wl(e)}function El(){return $e}let ae;const Xs=new WeakSet;class Tl{constructor(t){this.fn=t,this.deps=void 0,this.depsTail=void 0,this.flags=5,this.nextEffect=void 0,this.cleanup=void 0,this.scheduler=void 0,$e&&$e.active&&$e.effects.push(this)}pause(){this.flags|=64}resume(){this.flags&64&&(this.flags&=-65,Xs.has(this)&&(Xs.delete(this),this.trigger()))}notify(){this.flags&2&&!(this.flags&32)||this.flags&8||(this.flags|=8,this.nextEffect=An,An=this)}run(){if(!(this.flags&1))return this.fn();this.flags|=2,Do(this),Cl(this);const t=ae,n=Qe;ae=this,Qe=!0;try{return this.fn()}finally{Sl(this),ae=t,Qe=n,this.flags&=-3}}stop(){if(this.flags&1){for(let t=this.deps;t;t=t.nextDep)so(t);this.deps=this.depsTail=void 0,Do(this),this.onStop&&this.onStop(),this.flags&=-2}}trigger(){this.flags&64?Xs.add(this):this.scheduler?this.scheduler():this.runIfDirty()}runIfDirty(){mr(this)&&this.run()}get dirty(){return mr(this)}}let Rl=0,An;function to(){Rl++}function no(){if(--Rl>0)return;let e;for(;An;){let t=An;for(An=void 0;t;){const n=t.nextEffect;if(t.nextEffect=void 0,t.flags&=-9,t.flags&1)try{t.trigger()}catch(s){e||(e=s)}t=n}}if(e)throw e}function Cl(e){for(let t=e.deps;t;t=t.nextDep)t.version=-1,t.prevActiveLink=t.dep.activeLink,t.dep.activeLink=t}function Sl(e){let t,n=e.depsTail,s=n;for(;s;){const r=s.prevDep;s.version===-1?(s===n&&(n=r),so(s),Kc(s)):t=s,s.dep.activeLink=s.prevActiveLink,s.prevActiveLink=void 0,s=r}e.deps=t,e.depsTail=n}function mr(e){for(let t=e.deps;t;t=t.nextDep)if(t.dep.version!==t.version||t.dep.computed&&xl(t.dep.computed)||t.dep.version!==t.version)return!0;return!!e._dirty}function xl(e){if(e.flags&4&&!(e.flags&16)||(e.flags&=-17,e.globalVersion===$n))return;e.globalVersion=$n;const t=e.dep;if(e.flags|=2,t.version>0&&!e.isSSR&&!mr(e)){e.flags&=-3;return}const n=ae,s=Qe;ae=e,Qe=!0;try{Cl(e);const r=e.fn(e._value);(t.version===0||Pt(r,e._value))&&(e._value=r,t.version++)}catch(r){throw t.version++,r}finally{ae=n,Qe=s,Sl(e),e.flags&=-3}}function so(e){const{dep:t,prevSub:n,nextSub:s}=e;if(n&&(n.nextSub=s,e.prevSub=void 0),s&&(s.prevSub=n,e.nextSub=void 0),t.subs===e&&(t.subs=n),!t.subs&&t.computed){t.computed.flags&=-5;for(let r=t.computed.deps;r;r=r.nextDep)so(r)}}function Kc(e){const{prevDep:t,nextDep:n}=e;t&&(t.nextDep=n,e.prevDep=void 0),n&&(n.prevDep=t,e.nextDep=void 0)}let Qe=!0;const kl=[];function Mt(){kl.push(Qe),Qe=!1}function Ht(){const e=kl.pop();Qe=e===void 0?!0:e}function Do(e){const{cleanup:t}=e;if(e.cleanup=void 0,t){const n=ae;ae=void 0;try{t()}finally{ae=n}}}let $n=0;class qc{constructor(t,n){this.sub=t,this.dep=n,this.version=n.version,this.nextDep=this.prevDep=this.nextSub=this.prevSub=this.prevActiveLink=void 0}}class ro{constructor(t){this.computed=t,this.version=0,this.activeLink=void 0,this.subs=void 0}track(t){if(!ae||!Qe||ae===this.computed)return;let n=this.activeLink;if(n===void 0||n.sub!==ae)n=this.activeLink=new qc(ae,this),ae.deps?(n.prevDep=ae.depsTail,ae.depsTail.nextDep=n,ae.depsTail=n):ae.deps=ae.depsTail=n,ae.flags&4&&Pl(n);else if(n.version===-1&&(n.version=this.version,n.nextDep)){const s=n.nextDep;s.prevDep=n.prevDep,n.prevDep&&(n.prevDep.nextDep=s),n.prevDep=ae.depsTail,n.nextDep=void 0,ae.depsTail.nextDep=n,ae.depsTail=n,ae.deps===n&&(ae.deps=s)}return n}trigger(t){this.version++,$n++,this.notify(t)}notify(t){to();try{for(let n=this.subs;n;n=n.prevSub)n.sub.notify()}finally{no()}}}function Pl(e){const t=e.dep.computed;if(t&&!e.dep.subs){t.flags|=20;for(let s=t.deps;s;s=s.nextDep)Pl(s)}const n=e.dep.subs;n!==e&&(e.prevSub=n,n&&(n.nextSub=e)),e.dep.subs=e}const bs=new WeakMap,Bt=Symbol(""),yr=Symbol(""),jn=Symbol("");function Se(e,t,n){if(Qe&&ae){let s=bs.get(e);s||bs.set(e,s=new Map);let r=s.get(n);r||s.set(n,r=new ro),r.track()}}function pt(e,t,n,s,r,o){const i=bs.get(e);if(!i){$n++;return}const l=a=>{a&&a.trigger()};if(to(),t==="clear")i.forEach(l);else{const a=J(e),f=a&&Zr(n);if(a&&n==="length"){const c=Number(s);i.forEach((u,d)=>{(d==="length"||d===jn||!it(d)&&d>=c)&&l(u)})}else switch(n!==void 0&&l(i.get(n)),f&&l(i.get(jn)),t){case"add":a?f&&l(i.get("length")):(l(i.get(Bt)),ln(e)&&l(i.get(yr)));break;case"delete":a||(l(i.get(Bt)),ln(e)&&l(i.get(yr)));break;case"set":ln(e)&&l(i.get(Bt));break}}no()}function Gc(e,t){var n;return(n=bs.get(e))==null?void 0:n.get(t)}function Zt(e){const t=te(e);return t===e?t:(Se(t,"iterate",jn),We(e)?t:t.map(Re))}function Fs(e){return Se(e=te(e),"iterate",jn),e}const Jc={__proto__:null,[Symbol.iterator](){return Ys(this,Symbol.iterator,Re)},concat(...e){return Zt(this).concat(...e.map(t=>J(t)?Zt(t):t))},entries(){return Ys(this,"entries",e=>(e[1]=Re(e[1]),e))},every(e,t){return at(this,"every",e,t,void 0,arguments)},filter(e,t){return at(this,"filter",e,t,n=>n.map(Re),arguments)},find(e,t){return at(this,"find",e,t,Re,arguments)},findIndex(e,t){return at(this,"findIndex",e,t,void 0,arguments)},findLast(e,t){return at(this,"findLast",e,t,Re,arguments)},findLastIndex(e,t){return at(this,"findLastIndex",e,t,void 0,arguments)},forEach(e,t){return at(this,"forEach",e,t,void 0,arguments)},includes(...e){return Zs(this,"includes",e)},indexOf(...e){return Zs(this,"indexOf",e)},join(e){return Zt(this).join(e)},lastIndexOf(...e){return Zs(this,"lastIndexOf",e)},map(e,t){return at(this,"map",e,t,void 0,arguments)},pop(){return Rn(this,"pop")},push(...e){return Rn(this,"push",e)},reduce(e,...t){return Uo(this,"reduce",e,t)},reduceRight(e,...t){return Uo(this,"reduceRight",e,t)},shift(){return Rn(this,"shift")},some(e,t){return at(this,"some",e,t,void 0,arguments)},splice(...e){return Rn(this,"splice",e)},toReversed(){return Zt(this).toReversed()},toSorted(e){return Zt(this).toSorted(e)},toSpliced(...e){return Zt(this).toSpliced(...e)},unshift(...e){return Rn(this,"unshift",e)},values(){return Ys(this,"values",Re)}};function Ys(e,t,n){const s=Fs(e),r=s[t]();return s!==e&&!We(e)&&(r._next=r.next,r.next=()=>{const o=r._next();return o.value&&(o.value=n(o.value)),o}),r}const zc=Array.prototype;function at(e,t,n,s,r,o){const i=Fs(e),l=i!==e&&!We(e),a=i[t];if(a!==zc[t]){const u=a.apply(e,o);return l?Re(u):u}let f=n;i!==e&&(l?f=function(u,d){return n.call(this,Re(u),d,e)}:n.length>2&&(f=function(u,d){return n.call(this,u,d,e)}));const c=a.call(i,f,s);return l&&r?r(c):c}function Uo(e,t,n,s){const r=Fs(e);let o=n;return r!==e&&(We(e)?n.length>3&&(o=function(i,l,a){return n.call(this,i,l,a,e)}):o=function(i,l,a){return n.call(this,i,Re(l),a,e)}),r[t](o,...s)}function Zs(e,t,n){const s=te(e);Se(s,"iterate",jn);const r=s[t](...n);return(r===-1||r===!1)&&ao(n[0])?(n[0]=te(n[0]),s[t](...n)):r}function Rn(e,t,n=[]){Mt(),to();const s=te(e)[t].apply(e,n);return no(),Ht(),s}const Qc=Qr("__proto__,__v_isRef,__isVue"),Al=new Set(Object.getOwnPropertyNames(Symbol).filter(e=>e!=="arguments"&&e!=="caller").map(e=>Symbol[e]).filter(it));function Xc(e){it(e)||(e=String(e));const t=te(this);return Se(t,"has",e),t.hasOwnProperty(e)}class Ol{constructor(t=!1,n=!1){this._isReadonly=t,this._isShallow=n}get(t,n,s){const r=this._isReadonly,o=this._isShallow;if(n==="__v_isReactive")return!r;if(n==="__v_isReadonly")return r;if(n==="__v_isShallow")return o;if(n==="__v_raw")return s===(r?o?uu:Ll:o?Il:Hl).get(t)||Object.getPrototypeOf(t)===Object.getPrototypeOf(s)?t:void 0;const i=J(t);if(!r){let a;if(i&&(a=Jc[n]))return a;if(n==="hasOwnProperty")return Xc}const l=Reflect.get(t,n,we(t)?t:s);return(it(n)?Al.has(n):Qc(n))||(r||Se(t,"get",n),o)?l:we(l)?i&&Zr(n)?l:l.value:le(l)?r?Nl(l):It(l):l}}class Ml extends Ol{constructor(t=!1){super(!1,t)}set(t,n,s,r){let o=t[n];if(!this._isShallow){const a=At(o);if(!We(s)&&!At(s)&&(o=te(o),s=te(s)),!J(t)&&we(o)&&!we(s))return a?!1:(o.value=s,!0)}const i=J(t)&&Zr(n)?Number(n)<t.length:se(t,n),l=Reflect.set(t,n,s,we(t)?t:r);return t===te(r)&&(i?Pt(s,o)&&pt(t,"set",n,s):pt(t,"add",n,s)),l}deleteProperty(t,n){const s=se(t,n);t[n];const r=Reflect.deleteProperty(t,n);return r&&s&&pt(t,"delete",n,void 0),r}has(t,n){const s=Reflect.has(t,n);return(!it(n)||!Al.has(n))&&Se(t,"has",n),s}ownKeys(t){return Se(t,"iterate",J(t)?"length":Bt),Reflect.ownKeys(t)}}class Yc extends Ol{constructor(t=!1){super(!0,t)}set(t,n){return!0}deleteProperty(t,n){return!0}}const Zc=new Ml,eu=new Yc,tu=new Ml(!0);const oo=e=>e,Ds=e=>Reflect.getPrototypeOf(e);function Zn(e,t,n=!1,s=!1){e=e.__v_raw;const r=te(e),o=te(t);n||(Pt(t,o)&&Se(r,"get",t),Se(r,"get",o));const{has:i}=Ds(r),l=s?oo:n?co:Re;if(i.call(r,t))return l(e.get(t));if(i.call(r,o))return l(e.get(o));e!==r&&e.get(t)}function es(e,t=!1){const n=this.__v_raw,s=te(n),r=te(e);return t||(Pt(e,r)&&Se(s,"has",e),Se(s,"has",r)),e===r?n.has(e):n.has(e)||n.has(r)}function ts(e,t=!1){return e=e.__v_raw,!t&&Se(te(e),"iterate",Bt),Reflect.get(e,"size",e)}function Bo(e,t=!1){!t&&!We(e)&&!At(e)&&(e=te(e));const n=te(this);return Ds(n).has.call(n,e)||(n.add(e),pt(n,"add",e,e)),this}function Vo(e,t,n=!1){!n&&!We(t)&&!At(t)&&(t=te(t));const s=te(this),{has:r,get:o}=Ds(s);let i=r.call(s,e);i||(e=te(e),i=r.call(s,e));const l=o.call(s,e);return s.set(e,t),i?Pt(t,l)&&pt(s,"set",e,t):pt(s,"add",e,t),this}function Wo(e){const t=te(this),{has:n,get:s}=Ds(t);let r=n.call(t,e);r||(e=te(e),r=n.call(t,e)),s&&s.call(t,e);const o=t.delete(e);return r&&pt(t,"delete",e,void 0),o}function Ko(){const e=te(this),t=e.size!==0,n=e.clear();return t&&pt(e,"clear",void 0,void 0),n}function ns(e,t){return function(s,r){const o=this,i=o.__v_raw,l=te(i),a=t?oo:e?co:Re;return!e&&Se(l,"iterate",Bt),i.forEach((f,c)=>s.call(r,a(f),a(c),o))}}function ss(e,t,n){return function(...s){const r=this.__v_raw,o=te(r),i=ln(o),l=e==="entries"||e===Symbol.iterator&&i,a=e==="keys"&&i,f=r[e](...s),c=n?oo:t?co:Re;return!t&&Se(o,"iterate",a?yr:Bt),{next(){const{value:u,done:d}=f.next();return d?{value:u,done:d}:{value:l?[c(u[0]),c(u[1])]:c(u),done:d}},[Symbol.iterator](){return this}}}}function bt(e){return function(...t){return e==="delete"?!1:e==="clear"?void 0:this}}function nu(){const e={get(o){return Zn(this,o)},get size(){return ts(this)},has:es,add:Bo,set:Vo,delete:Wo,clear:Ko,forEach:ns(!1,!1)},t={get(o){return Zn(this,o,!1,!0)},get size(){return ts(this)},has:es,add(o){return Bo.call(this,o,!0)},set(o,i){return Vo.call(this,o,i,!0)},delete:Wo,clear:Ko,forEach:ns(!1,!0)},n={get(o){return Zn(this,o,!0)},get size(){return ts(this,!0)},has(o){return es.call(this,o,!0)},add:bt("add"),set:bt("set"),delete:bt("delete"),clear:bt("clear"),forEach:ns(!0,!1)},s={get(o){return Zn(this,o,!0,!0)},get size(){return ts(this,!0)},has(o){return es.call(this,o,!0)},add:bt("add"),set:bt("set"),delete:bt("delete"),clear:bt("clear"),forEach:ns(!0,!0)};return["keys","values","entries",Symbol.iterator].forEach(o=>{e[o]=ss(o,!1,!1),n[o]=ss(o,!0,!1),t[o]=ss(o,!1,!0),s[o]=ss(o,!0,!0)}),[e,n,t,s]}const[su,ru,ou,iu]=nu();function io(e,t){const n=t?e?iu:ou:e?ru:su;return(s,r,o)=>r==="__v_isReactive"?!e:r==="__v_isReadonly"?e:r==="__v_raw"?s:Reflect.get(se(n,r)&&r in s?n:s,r,o)}const lu={get:io(!1,!1)},au={get:io(!1,!0)},cu={get:io(!0,!1)};const Hl=new WeakMap,Il=new WeakMap,Ll=new WeakMap,uu=new WeakMap;function fu(e){switch(e){case"Object":case"Array":return 1;case"Map":case"Set":case"WeakMap":case"WeakSet":return 2;default:return 0}}function du(e){return e.__v_skip||!Object.isExtensible(e)?0:fu(Mc(e))}function It(e){return At(e)?e:lo(e,!1,Zc,lu,Hl)}function ht(e){return lo(e,!1,tu,au,Il)}function Nl(e){return lo(e,!0,eu,cu,Ll)}function lo(e,t,n,s,r){if(!le(e)||e.__v_raw&&!(t&&e.__v_isReactive))return e;const o=r.get(e);if(o)return o;const i=du(e);if(i===0)return e;const l=new Proxy(e,i===2?s:n);return r.set(e,l),l}function Vt(e){return At(e)?Vt(e.__v_raw):!!(e&&e.__v_isReactive)}function At(e){return!!(e&&e.__v_isReadonly)}function We(e){return!!(e&&e.__v_isShallow)}function ao(e){return e?!!e.__v_raw:!1}function te(e){const t=e&&e.__v_raw;return t?te(t):e}function hu(e){return!se(e,"__v_skip")&&Object.isExtensible(e)&&gl(e,"__v_skip",!0),e}const Re=e=>le(e)?It(e):e,co=e=>le(e)?Nl(e):e;function we(e){return e?e.__v_isRef===!0:!1}function gt(e){return $l(e,!1)}function Fn(e){return $l(e,!0)}function $l(e,t){return we(e)?e:new pu(e,t)}class pu{constructor(t,n){this.dep=new ro,this.__v_isRef=!0,this.__v_isShallow=!1,this._rawValue=n?t:te(t),this._value=n?t:Re(t),this.__v_isShallow=n}get value(){return this.dep.track(),this._value}set value(t){const n=this._rawValue,s=this.__v_isShallow||We(t)||At(t);t=s?t:te(t),Pt(t,n)&&(this._rawValue=t,this._value=s?t:Re(t),this.dep.trigger())}}function Rm(e){e.dep.trigger()}function fe(e){return we(e)?e.value:e}const gu={get:(e,t,n)=>t==="__v_raw"?e:fe(Reflect.get(e,t,n)),set:(e,t,n,s)=>{const r=e[t];return we(r)&&!we(n)?(r.value=n,!0):Reflect.set(e,t,n,s)}};function jl(e){return Vt(e)?e:new Proxy(e,gu)}class mu{constructor(t,n,s){this._object=t,this._key=n,this._defaultValue=s,this.__v_isRef=!0,this._value=void 0}get value(){const t=this._object[this._key];return this._value=t===void 0?this._defaultValue:t}set value(t){this._object[this._key]=t}get dep(){return Gc(te(this._object),this._key)}}class yu{constructor(t){this._getter=t,this.__v_isRef=!0,this.__v_isReadonly=!0,this._value=void 0}get value(){return this._value=this._getter()}}function _u(e,t,n){return we(e)?e:Q(e)?new yu(e):le(e)&&arguments.length>1?bu(e,t,n):gt(e)}function bu(e,t,n){const s=e[t];return we(s)?s:new mu(e,t,n)}class vu{constructor(t,n,s){this.fn=t,this.setter=n,this._value=void 0,this.dep=new ro(this),this.__v_isRef=!0,this.deps=void 0,this.depsTail=void 0,this.flags=16,this.globalVersion=$n-1,this.effect=this,this.__v_isReadonly=!n,this.isSSR=s}notify(){this.flags|=16,ae!==this&&this.dep.notify()}get value(){const t=this.dep.track();return xl(this),t&&(t.version=this.dep.version),this._value}set value(t){this.setter&&this.setter(t)}}function wu(e,t,n=!1){let s,r;return Q(e)?s=e:(s=e.get,r=e.set),new vu(s,r,n)}const rs={},vs=new WeakMap;let Dt;function Eu(e,t=!1,n=Dt){if(n){let s=vs.get(n);s||vs.set(n,s=[]),s.push(e)}}function Tu(e,t,n=ce){const{immediate:s,deep:r,once:o,scheduler:i,augmentJob:l,call:a}=n,f=y=>r?y:We(y)||r===!1||r===0?ft(y,1):ft(y);let c,u,d,p,_=!1,E=!1;if(we(e)?(u=()=>e.value,_=We(e)):Vt(e)?(u=()=>f(e),_=!0):J(e)?(E=!0,_=e.some(y=>Vt(y)||We(y)),u=()=>e.map(y=>{if(we(y))return y.value;if(Vt(y))return f(y);if(Q(y))return a?a(y,2):y()})):Q(e)?t?u=a?()=>a(e,2):e:u=()=>{if(d){Mt();try{d()}finally{Ht()}}const y=Dt;Dt=c;try{return a?a(e,3,[p]):e(p)}finally{Dt=y}}:u=ot,t&&r){const y=u,v=r===!0?1/0:r;u=()=>ft(y(),v)}const k=El(),T=()=>{c.stop(),k&&Yr(k.effects,c)};if(o)if(t){const y=t;t=(...v)=>{y(...v),T()}}else{const y=u;u=()=>{y(),T()}}let w=E?new Array(e.length).fill(rs):rs;const g=y=>{if(!(!(c.flags&1)||!c.dirty&&!y))if(t){const v=c.run();if(r||_||(E?v.some((S,H)=>Pt(S,w[H])):Pt(v,w))){d&&d();const S=Dt;Dt=c;try{const H=[v,w===rs?void 0:E&&w[0]===rs?[]:w,p];a?a(t,3,H):t(...H),w=v}finally{Dt=S}}}else c.run()};return l&&l(g),c=new Tl(u),c.scheduler=i?()=>i(g,!1):g,p=y=>Eu(y,!1,c),d=c.onStop=()=>{const y=vs.get(c);if(y){if(a)a(y,4);else for(const v of y)v();vs.delete(c)}},t?s?g(!0):w=c.run():i?i(g.bind(null,!0),!0):c.run(),T.pause=c.pause.bind(c),T.resume=c.resume.bind(c),T.stop=T,T}function ft(e,t=1/0,n){if(t<=0||!le(e)||e.__v_skip||(n=n||new Set,n.has(e)))return e;if(n.add(e),t--,we(e))ft(e.value,t,n);else if(J(e))for(let s=0;s<e.length;s++)ft(e[s],t,n);else if(vn(e)||ln(e))e.forEach(s=>{ft(s,t,n)});else if(pl(e)){for(const s in e)ft(e[s],t,n);for(const s of Object.getOwnPropertySymbols(e))Object.prototype.propertyIsEnumerable.call(e,s)&&ft(e[s],t,n)}return e}/**
11
- * @vue/runtime-core v3.5.5
12
- * (c) 2018-present Yuxi (Evan) You and Vue contributors
13
- * @license MIT
14
- **/function Gn(e,t,n,s){try{return s?e(...s):e()}catch(r){En(r,t,n)}}function Ye(e,t,n,s){if(Q(e)){const r=Gn(e,t,n,s);return r&&dl(r)&&r.catch(o=>{En(o,t,n)}),r}if(J(e)){const r=[];for(let o=0;o<e.length;o++)r.push(Ye(e[o],t,n,s));return r}}function En(e,t,n,s=!0){const r=t?t.vnode:null,{errorHandler:o,throwUnhandledErrorInProduction:i}=t&&t.appContext.config||ce;if(t){let l=t.parent;const a=t.proxy,f=`https://vuejs.org/error-reference/#runtime-${n}`;for(;l;){const c=l.ec;if(c){for(let u=0;u<c.length;u++)if(c[u](e,a,f)===!1)return}l=l.parent}if(o){Mt(),Gn(o,null,10,[e,a,f]),Ht();return}}Ru(e,n,r,s,i)}function Ru(e,t,n,s=!0,r=!1){if(r)throw e;console.error(e)}let Dn=!1,_r=!1;const ke=[];let nt=0;const un=[];let Et=null,tn=0;const Fl=Promise.resolve();let uo=null;function zt(e){const t=uo||Fl;return e?t.then(this?e.bind(this):e):t}function Cu(e){let t=Dn?nt+1:0,n=ke.length;for(;t<n;){const s=t+n>>>1,r=ke[s],o=Un(r);o<e||o===e&&r.flags&2?t=s+1:n=s}return t}function fo(e){if(!(e.flags&1)){const t=Un(e),n=ke[ke.length-1];!n||!(e.flags&2)&&t>=Un(n)?ke.push(e):ke.splice(Cu(t),0,e),e.flags|=1,Dl()}}function Dl(){!Dn&&!_r&&(_r=!0,uo=Fl.then(Ul))}function br(e){J(e)?un.push(...e):Et&&e.id===-1?Et.splice(tn+1,0,e):e.flags&1||(un.push(e),e.flags|=1),Dl()}function qo(e,t,n=Dn?nt+1:0){for(;n<ke.length;n++){const s=ke[n];if(s&&s.flags&2){if(e&&s.id!==e.uid)continue;ke.splice(n,1),n--,s.flags&4&&(s.flags&=-2),s(),s.flags&=-2}}}function ws(e){if(un.length){const t=[...new Set(un)].sort((n,s)=>Un(n)-Un(s));if(un.length=0,Et){Et.push(...t);return}for(Et=t,tn=0;tn<Et.length;tn++){const n=Et[tn];n.flags&4&&(n.flags&=-2),n.flags&8||n(),n.flags&=-2}Et=null,tn=0}}const Un=e=>e.id==null?e.flags&2?-1:1/0:e.id;function Ul(e){_r=!1,Dn=!0;try{for(nt=0;nt<ke.length;nt++){const t=ke[nt];t&&!(t.flags&8)&&(t.flags&4&&(t.flags&=-2),Gn(t,t.i,t.i?15:14),t.flags&=-2)}}finally{for(;nt<ke.length;nt++){const t=ke[nt];t&&(t.flags&=-2)}nt=0,ke.length=0,ws(),Dn=!1,uo=null,(ke.length||un.length)&&Ul()}}let be=null,Bl=null;function Es(e){const t=be;return be=e,Bl=e&&e.type.__scopeId||null,t}function ho(e,t=be,n){if(!t||e._n)return e;const s=(...r)=>{s._d&&oi(-1);const o=Es(t);let i;try{i=e(...r)}finally{Es(o),s._d&&oi(1)}return i};return s._n=!0,s._c=!0,s._d=!0,s}function Cm(e,t){if(be===null)return e;const n=Vs(be),s=e.dirs||(e.dirs=[]);for(let r=0;r<t.length;r++){let[o,i,l,a=ce]=t[r];o&&(Q(o)&&(o={mounted:o,updated:o}),o.deep&&ft(i),s.push({dir:o,instance:n,value:i,oldValue:void 0,arg:l,modifiers:a}))}return e}function st(e,t,n,s){const r=e.dirs,o=t&&t.dirs;for(let i=0;i<r.length;i++){const l=r[i];o&&(l.oldValue=o[i].value);let a=l.dir[s];a&&(Mt(),Ye(a,n,8,[e.el,l,e,t]),Ht())}}const Su=Symbol("_vte"),Vl=e=>e.__isTeleport,Tt=Symbol("_leaveCb"),os=Symbol("_enterCb");function xu(){const e={isMounted:!1,isLeaving:!1,isUnmounting:!1,leavingVNodes:new Map};return go(()=>{e.isMounted=!0}),mo(()=>{e.isUnmounting=!0}),e}const De=[Function,Array],Wl={mode:String,appear:Boolean,persisted:Boolean,onBeforeEnter:De,onEnter:De,onAfterEnter:De,onEnterCancelled:De,onBeforeLeave:De,onLeave:De,onAfterLeave:De,onLeaveCancelled:De,onBeforeAppear:De,onAppear:De,onAfterAppear:De,onAppearCancelled:De},Kl=e=>{const t=e.subTree;return t.component?Kl(t.component):t},ku={name:"BaseTransition",props:Wl,setup(e,{slots:t}){const n=To(),s=xu();return()=>{const r=t.default&&Jl(t.default(),!0);if(!r||!r.length)return;const o=ql(r),i=te(e),{mode:l}=i;if(s.isLeaving)return er(o);const a=Go(o);if(!a)return er(o);let f=vr(a,i,s,n,d=>f=d);a.type!==ye&&pn(a,f);const c=n.subTree,u=c&&Go(c);if(u&&u.type!==ye&&!ze(a,u)&&Kl(n).type!==ye){const d=vr(u,i,s,n);if(pn(u,d),l==="out-in"&&a.type!==ye)return s.isLeaving=!0,d.afterLeave=()=>{s.isLeaving=!1,n.job.flags&8||n.update(),delete d.afterLeave},er(o);l==="in-out"&&a.type!==ye&&(d.delayLeave=(p,_,E)=>{const k=Gl(s,u);k[String(u.key)]=u,p[Tt]=()=>{_(),p[Tt]=void 0,delete f.delayedLeave},f.delayedLeave=E})}return o}}};function ql(e){let t=e[0];if(e.length>1){for(const n of e)if(n.type!==ye){t=n;break}}return t}const Pu=ku;function Gl(e,t){const{leavingVNodes:n}=e;let s=n.get(t.type);return s||(s=Object.create(null),n.set(t.type,s)),s}function vr(e,t,n,s,r){const{appear:o,mode:i,persisted:l=!1,onBeforeEnter:a,onEnter:f,onAfterEnter:c,onEnterCancelled:u,onBeforeLeave:d,onLeave:p,onAfterLeave:_,onLeaveCancelled:E,onBeforeAppear:k,onAppear:T,onAfterAppear:w,onAppearCancelled:g}=t,y=String(e.key),v=Gl(n,e),S=(I,M)=>{I&&Ye(I,s,9,M)},H=(I,M)=>{const K=M[1];S(I,M),J(I)?I.every(O=>O.length<=1)&&K():I.length<=1&&K()},B={mode:i,persisted:l,beforeEnter(I){let M=a;if(!n.isMounted)if(o)M=k||a;else return;I[Tt]&&I[Tt](!0);const K=v[y];K&&ze(e,K)&&K.el[Tt]&&K.el[Tt](),S(M,[I])},enter(I){let M=f,K=c,O=u;if(!n.isMounted)if(o)M=T||f,K=w||c,O=g||u;else return;let q=!1;const Z=I[os]=ie=>{q||(q=!0,ie?S(O,[I]):S(K,[I]),B.delayedLeave&&B.delayedLeave(),I[os]=void 0)};M?H(M,[I,Z]):Z()},leave(I,M){const K=String(e.key);if(I[os]&&I[os](!0),n.isUnmounting)return M();S(d,[I]);let O=!1;const q=I[Tt]=Z=>{O||(O=!0,M(),Z?S(E,[I]):S(_,[I]),I[Tt]=void 0,v[K]===e&&delete v[K])};v[K]=e,p?H(p,[I,q]):q()},clone(I){const M=vr(I,t,n,s,r);return r&&r(M),M}};return B}function er(e){if(Jn(e))return e=mt(e),e.children=null,e}function Go(e){if(!Jn(e))return Vl(e.type)&&e.children?ql(e.children):e;const{shapeFlag:t,children:n}=e;if(n){if(t&16)return n[0];if(t&32&&Q(n.default))return n.default()}}function pn(e,t){e.shapeFlag&6&&e.component?(e.transition=t,pn(e.component.subTree,t)):e.shapeFlag&128?(e.ssContent.transition=t.clone(e.ssContent),e.ssFallback.transition=t.clone(e.ssFallback)):e.transition=t}function Jl(e,t=!1,n){let s=[],r=0;for(let o=0;o<e.length;o++){let i=e[o];const l=n==null?i.key:String(n)+String(i.key!=null?i.key:o);i.type===Ce?(i.patchFlag&128&&r++,s=s.concat(Jl(i.children,t,l))):(t||i.type!==ye)&&s.push(l!=null?mt(i,{key:l}):i)}if(r>1)for(let o=0;o<s.length;o++)s[o].patchFlag=-2;return s}/*! #__NO_SIDE_EFFECTS__ */function Lt(e,t){return Q(e)?ve({name:e.name},t,{setup:e}):e}function po(e){e.ids=[e.ids[0]+e.ids[2]+++"-",0,0]}function Ts(e,t,n,s,r=!1){if(J(e)){e.forEach((_,E)=>Ts(_,t&&(J(t)?t[E]:t),n,s,r));return}if(kt(s)&&!r)return;const o=s.shapeFlag&4?Vs(s.component):s.el,i=r?null:o,{i:l,r:a}=e,f=t&&t.r,c=l.refs===ce?l.refs={}:l.refs,u=l.setupState,d=te(u),p=u===ce?()=>!1:_=>se(d,_);if(f!=null&&f!==a&&(he(f)?(c[f]=null,p(f)&&(u[f]=null)):we(f)&&(f.value=null)),Q(a))Gn(a,l,12,[i,c]);else{const _=he(a),E=we(a);if(_||E){const k=()=>{if(e.f){const T=_?p(a)?u[a]:c[a]:a.value;r?J(T)&&Yr(T,o):J(T)?T.includes(o)||T.push(o):_?(c[a]=[o],p(a)&&(u[a]=c[a])):(a.value=[o],e.k&&(c[e.k]=a.value))}else _?(c[a]=i,p(a)&&(u[a]=i)):E&&(a.value=i,e.k&&(c[e.k]=i))};i?(k.id=-1,Ee(k,n)):k()}}}let Jo=!1;const en=()=>{Jo||(console.error("Hydration completed but contains mismatches."),Jo=!0)},Au=e=>e.namespaceURI.includes("svg")&&e.tagName!=="foreignObject",Ou=e=>e.namespaceURI.includes("MathML"),is=e=>{if(e.nodeType===1){if(Au(e))return"svg";if(Ou(e))return"mathml"}},sn=e=>e.nodeType===8;function Mu(e){const{mt:t,p:n,o:{patchProp:s,createText:r,nextSibling:o,parentNode:i,remove:l,insert:a,createComment:f}}=e,c=(g,y)=>{if(!y.hasChildNodes()){n(null,g,y),ws(),y._vnode=g;return}u(y.firstChild,g,null,null,null),ws(),y._vnode=g},u=(g,y,v,S,H,B=!1)=>{B=B||!!y.dynamicChildren;const I=sn(g)&&g.data==="[",M=()=>E(g,y,v,S,H,I),{type:K,ref:O,shapeFlag:q,patchFlag:Z}=y;let ie=g.nodeType;y.el=g,Z===-2&&(B=!1,y.dynamicChildren=null);let U=null;switch(K){case qt:ie!==3?y.children===""?(a(y.el=r(""),i(g),g),U=g):U=M():(g.data!==y.children&&(en(),g.data=y.children),U=o(g));break;case ye:w(g)?(U=o(g),T(y.el=g.content.firstChild,g,v)):ie!==8||I?U=M():U=o(g);break;case ds:if(I&&(g=o(g),ie=g.nodeType),ie===1||ie===3){U=g;const Y=!y.children.length;for(let V=0;V<y.staticCount;V++)Y&&(y.children+=U.nodeType===1?U.outerHTML:U.data),V===y.staticCount-1&&(y.anchor=U),U=o(U);return I?o(U):U}else M();break;case Ce:I?U=_(g,y,v,S,H,B):U=M();break;default:if(q&1)(ie!==1||y.type.toLowerCase()!==g.tagName.toLowerCase())&&!w(g)?U=M():U=d(g,y,v,S,H,B);else if(q&6){y.slotScopeIds=H;const Y=i(g);if(I?U=k(g):sn(g)&&g.data==="teleport start"?U=k(g,g.data,"teleport end"):U=o(g),t(y,Y,null,v,S,is(Y),B),kt(y)){let V;I?(V=pe(Ce),V.anchor=U?U.previousSibling:Y.lastChild):V=g.nodeType===3?ka(""):pe("div"),V.el=g,y.component.subTree=V}}else q&64?ie!==8?U=M():U=y.type.hydrate(g,y,v,S,H,B,e,p):q&128&&(U=y.type.hydrate(g,y,v,S,is(i(g)),H,B,e,u))}return O!=null&&Ts(O,null,S,y),U},d=(g,y,v,S,H,B)=>{B=B||!!y.dynamicChildren;const{type:I,props:M,patchFlag:K,shapeFlag:O,dirs:q,transition:Z}=y,ie=I==="input"||I==="option";if(ie||K!==-1){q&&st(y,null,v,"created");let U=!1;if(w(g)){U=ma(S,Z)&&v&&v.vnode.props&&v.vnode.props.appear;const V=g.content.firstChild;U&&Z.beforeEnter(V),T(V,g,v),y.el=g=V}if(O&16&&!(M&&(M.innerHTML||M.textContent))){let V=p(g.firstChild,y,g,v,S,H,B);for(;V;){ls(g,1)||en();const me=V;V=V.nextSibling,l(me)}}else if(O&8){let V=y.children;V[0]===`
15
- `&&(g.tagName==="PRE"||g.tagName==="TEXTAREA")&&(V=V.slice(1)),g.textContent!==V&&(ls(g,0)||en(),g.textContent=y.children)}if(M){if(ie||!B||K&48){const V=g.tagName.includes("-");for(const me in M)(ie&&(me.endsWith("value")||me==="indeterminate")||qn(me)&&!an(me)||me[0]==="."||V)&&s(g,me,null,M[me],void 0,v)}else if(M.onClick)s(g,"onClick",null,M.onClick,void 0,v);else if(K&4&&Vt(M.style))for(const V in M.style)M.style[V]}let Y;(Y=M&&M.onVnodeBeforeMount)&&Oe(Y,v,y),q&&st(y,null,v,"beforeMount"),((Y=M&&M.onVnodeMounted)||q||U)&&Ea(()=>{Y&&Oe(Y,v,y),U&&Z.enter(g),q&&st(y,null,v,"mounted")},S)}return g.nextSibling},p=(g,y,v,S,H,B,I)=>{I=I||!!y.dynamicChildren;const M=y.children,K=M.length;for(let O=0;O<K;O++){const q=I?M[O]:M[O]=je(M[O]),Z=q.type===qt;g?(Z&&!I&&O+1<K&&je(M[O+1]).type===qt&&(a(r(g.data.slice(q.children.length)),v,o(g)),g.data=q.children),g=u(g,q,S,H,B,I)):Z&&!q.children?a(q.el=r(""),v):(ls(v,1)||en(),n(null,q,v,null,S,H,is(v),B))}return g},_=(g,y,v,S,H,B)=>{const{slotScopeIds:I}=y;I&&(H=H?H.concat(I):I);const M=i(g),K=p(o(g),y,M,v,S,H,B);return K&&sn(K)&&K.data==="]"?o(y.anchor=K):(en(),a(y.anchor=f("]"),M,K),K)},E=(g,y,v,S,H,B)=>{if(ls(g.parentElement,1)||en(),y.el=null,B){const K=k(g);for(;;){const O=o(g);if(O&&O!==K)l(O);else break}}const I=o(g),M=i(g);return l(g),n(null,y,M,I,v,S,is(M),H),I},k=(g,y="[",v="]")=>{let S=0;for(;g;)if(g=o(g),g&&sn(g)&&(g.data===y&&S++,g.data===v)){if(S===0)return o(g);S--}return g},T=(g,y,v)=>{const S=y.parentNode;S&&S.replaceChild(g,y);let H=v;for(;H;)H.vnode.el===y&&(H.vnode.el=H.subTree.el=g),H=H.parent},w=g=>g.nodeType===1&&g.tagName==="TEMPLATE";return[c,u]}const zo="data-allow-mismatch",Hu={0:"text",1:"children",2:"class",3:"style",4:"attribute"};function ls(e,t){if(t===0||t===1)for(;e&&!e.hasAttribute(zo);)e=e.parentElement;const n=e&&e.getAttribute(zo);if(n==null)return!1;if(n==="")return!0;{const s=n.split(",");return t===0&&s.includes("children")?!0:n.split(",").includes(Hu[t])}}function Iu(e,t){if(sn(e)&&e.data==="["){let n=1,s=e.nextSibling;for(;s;){if(s.nodeType===1)t(s);else if(sn(s))if(s.data==="]"){if(--n===0)break}else s.data==="["&&n++;s=s.nextSibling}}else t(e)}const kt=e=>!!e.type.__asyncLoader;/*! #__NO_SIDE_EFFECTS__ */function Qo(e){Q(e)&&(e={loader:e});const{loader:t,loadingComponent:n,errorComponent:s,delay:r=200,hydrate:o,timeout:i,suspensible:l=!0,onError:a}=e;let f=null,c,u=0;const d=()=>(u++,f=null,p()),p=()=>{let _;return f||(_=f=t().catch(E=>{if(E=E instanceof Error?E:new Error(String(E)),a)return new Promise((k,T)=>{a(E,()=>k(d()),()=>T(E),u+1)});throw E}).then(E=>_!==f&&f?f:(E&&(E.__esModule||E[Symbol.toStringTag]==="Module")&&(E=E.default),c=E,E)))};return Lt({name:"AsyncComponentWrapper",__asyncLoader:p,__asyncHydrate(_,E,k){const T=o?()=>{const w=o(k,g=>Iu(_,g));w&&(E.bum||(E.bum=[])).push(w)}:k;c?T():p().then(()=>!E.isUnmounted&&T())},get __asyncResolved(){return c},setup(){const _=_e;if(po(_),c)return()=>tr(c,_);const E=g=>{f=null,En(g,_,13,!s)};if(l&&_.suspense||Qn)return p().then(g=>()=>tr(g,_)).catch(g=>(E(g),()=>s?pe(s,{error:g}):null));const k=gt(!1),T=gt(),w=gt(!!r);return r&&setTimeout(()=>{w.value=!1},r),i!=null&&setTimeout(()=>{if(!k.value&&!T.value){const g=new Error(`Async component timed out after ${i}ms.`);E(g),T.value=g}},i),p().then(()=>{k.value=!0,_.parent&&Jn(_.parent.vnode)&&_.parent.update()}).catch(g=>{E(g),T.value=g}),()=>{if(k.value&&c)return tr(c,_);if(T.value&&s)return pe(s,{error:T.value});if(n&&!w.value)return pe(n)}}})}function tr(e,t){const{ref:n,props:s,children:r,ce:o}=t.vnode,i=pe(e,s,r);return i.ref=n,i.ce=o,delete t.vnode.ce,i}const Jn=e=>e.type.__isKeepAlive,Lu={name:"KeepAlive",__isKeepAlive:!0,props:{include:[String,RegExp,Array],exclude:[String,RegExp,Array],max:[String,Number]},setup(e,{slots:t}){const n=To(),s=n.ctx;if(!s.renderer)return()=>{const w=t.default&&t.default();return w&&w.length===1?w[0]:w};const r=new Map,o=new Set;let i=null;const l=n.suspense,{renderer:{p:a,m:f,um:c,o:{createElement:u}}}=s,d=u("div");s.activate=(w,g,y,v,S)=>{const H=w.component;f(w,g,y,0,l),a(H.vnode,w,g,y,H,l,v,w.slotScopeIds,S),Ee(()=>{H.isDeactivated=!1,H.a&&cn(H.a);const B=w.props&&w.props.onVnodeMounted;B&&Oe(B,H.parent,w)},l)},s.deactivate=w=>{const g=w.component;Cs(g.m),Cs(g.a),f(w,d,null,1,l),Ee(()=>{g.da&&cn(g.da);const y=w.props&&w.props.onVnodeUnmounted;y&&Oe(y,g.parent,w),g.isDeactivated=!0},l)};function p(w){nr(w),c(w,n,l,!0)}function _(w){r.forEach((g,y)=>{const v=kr(g.type);v&&!w(v)&&E(y)})}function E(w){const g=r.get(w);g&&(!i||!ze(g,i))?p(g):i&&nr(i),r.delete(w),o.delete(w)}fn(()=>[e.include,e.exclude],([w,g])=>{w&&_(y=>kn(w,y)),g&&_(y=>!kn(g,y))},{flush:"post",deep:!0});let k=null;const T=()=>{k!=null&&(Ss(n.subTree.type)?Ee(()=>{r.set(k,as(n.subTree))},n.subTree.suspense):r.set(k,as(n.subTree)))};return go(T),Ql(T),mo(()=>{r.forEach(w=>{const{subTree:g,suspense:y}=n,v=as(g);if(w.type===v.type&&w.key===v.key){nr(v);const S=v.component.da;S&&Ee(S,y);return}p(w)})}),()=>{if(k=null,!t.default)return i=null;const w=t.default(),g=w[0];if(w.length>1)return i=null,w;if(!mn(g)||!(g.shapeFlag&4)&&!(g.shapeFlag&128))return i=null,g;let y=as(g);if(y.type===ye)return i=null,y;const v=y.type,S=kr(kt(y)?y.type.__asyncResolved||{}:v),{include:H,exclude:B,max:I}=e;if(H&&(!S||!kn(H,S))||B&&S&&kn(B,S))return y.shapeFlag&=-257,i=y,g;const M=y.key==null?v:y.key,K=r.get(M);return y.el&&(y=mt(y),g.shapeFlag&128&&(g.ssContent=y)),k=M,K?(y.el=K.el,y.component=K.component,y.transition&&pn(y,y.transition),y.shapeFlag|=512,o.delete(M),o.add(M)):(o.add(M),I&&o.size>parseInt(I,10)&&E(o.values().next().value)),y.shapeFlag|=256,i=y,Ss(g.type)?g:y}}},Nu=Lu;function kn(e,t){return J(e)?e.some(n=>kn(n,t)):he(e)?e.split(",").includes(t):Oc(e)?(e.lastIndex=0,e.test(t)):!1}function $u(e,t){zl(e,"a",t)}function ju(e,t){zl(e,"da",t)}function zl(e,t,n=_e){const s=e.__wdc||(e.__wdc=()=>{let r=n;for(;r;){if(r.isDeactivated)return;r=r.parent}return e()});if(Us(t,s,n),n){let r=n.parent;for(;r&&r.parent;)Jn(r.parent.vnode)&&Fu(s,t,n,r),r=r.parent}}function Fu(e,t,n,s){const r=Us(t,e,s,!0);Xl(()=>{Yr(s[t],r)},n)}function nr(e){e.shapeFlag&=-257,e.shapeFlag&=-513}function as(e){return e.shapeFlag&128?e.ssContent:e}function Us(e,t,n=_e,s=!1){if(n){const r=n[e]||(n[e]=[]),o=t.__weh||(t.__weh=(...i)=>{Mt();const l=zn(n),a=Ye(t,n,e,i);return l(),Ht(),a});return s?r.unshift(o):r.push(o),o}}const yt=e=>(t,n=_e)=>{(!Qn||e==="sp")&&Us(e,(...s)=>t(...s),n)},Du=yt("bm"),go=yt("m"),Uu=yt("bu"),Ql=yt("u"),mo=yt("bum"),Xl=yt("um"),Bu=yt("sp"),Vu=yt("rtg"),Wu=yt("rtc");function Yl(e,t=_e){Us("ec",e,t)}const Zl="components";function Sm(e,t){return ta(Zl,e,!0,t)||e}const ea=Symbol.for("v-ndc");function Ku(e){return he(e)?ta(Zl,e,!1)||e:e||ea}function ta(e,t,n=!0,s=!1){const r=be||_e;if(r){const o=r.type;{const l=kr(o,!1);if(l&&(l===t||l===Xe(t)||l===Ns(Xe(t))))return o}const i=Xo(r[e]||o[e],t)||Xo(r.appContext[e],t);return!i&&s?o:i}}function Xo(e,t){return e&&(e[t]||e[Xe(t)]||e[Ns(Xe(t))])}function xm(e,t,n,s){let r;const o=n,i=J(e);if(i||he(e)){const l=i&&Vt(e);let a=!1;l&&(a=!We(e),e=Fs(e)),r=new Array(e.length);for(let f=0,c=e.length;f<c;f++)r[f]=t(a?Re(e[f]):e[f],f,void 0,o)}else if(typeof e=="number"){r=new Array(e);for(let l=0;l<e;l++)r[l]=t(l+1,l,void 0,o)}else if(le(e))if(e[Symbol.iterator])r=Array.from(e,(l,a)=>t(l,a,void 0,o));else{const l=Object.keys(e);r=new Array(l.length);for(let a=0,f=l.length;a<f;a++){const c=l[a];r[a]=t(e[c],c,a,o)}}else r=[];return r}function km(e,t,n={},s,r){if(be.ce||be.parent&&kt(be.parent)&&be.parent.ce)return t!=="default"&&(n.name=t),Be(),rt(Ce,null,[pe("slot",n,s&&s())],64);let o=e[t];o&&o._c&&(o._d=!1),Be();const i=o&&na(o(n)),l=rt(Ce,{key:(n.key||i&&i.key||`_${t}`)+(!i&&s?"_fb":"")},i||(s?s():[]),i&&e._===1?64:-2);return!r&&l.scopeId&&(l.slotScopeIds=[l.scopeId+"-s"]),o&&o._c&&(o._d=!0),l}function na(e){return e.some(t=>mn(t)?!(t.type===ye||t.type===Ce&&!na(t.children)):!0)?e:null}const wr=e=>e?Aa(e)?Vs(e):wr(e.parent):null,On=ve(Object.create(null),{$:e=>e,$el:e=>e.vnode.el,$data:e=>e.data,$props:e=>e.props,$attrs:e=>e.attrs,$slots:e=>e.slots,$refs:e=>e.refs,$parent:e=>wr(e.parent),$root:e=>wr(e.root),$host:e=>e.ce,$emit:e=>e.emit,$options:e=>yo(e),$forceUpdate:e=>e.f||(e.f=()=>{fo(e.update)}),$nextTick:e=>e.n||(e.n=zt.bind(e.proxy)),$watch:e=>df.bind(e)}),sr=(e,t)=>e!==ce&&!e.__isScriptSetup&&se(e,t),qu={get({_:e},t){if(t==="__v_skip")return!0;const{ctx:n,setupState:s,data:r,props:o,accessCache:i,type:l,appContext:a}=e;let f;if(t[0]!=="$"){const p=i[t];if(p!==void 0)switch(p){case 1:return s[t];case 2:return r[t];case 4:return n[t];case 3:return o[t]}else{if(sr(s,t))return i[t]=1,s[t];if(r!==ce&&se(r,t))return i[t]=2,r[t];if((f=e.propsOptions[0])&&se(f,t))return i[t]=3,o[t];if(n!==ce&&se(n,t))return i[t]=4,n[t];Er&&(i[t]=0)}}const c=On[t];let u,d;if(c)return t==="$attrs"&&Se(e.attrs,"get",""),c(e);if((u=l.__cssModules)&&(u=u[t]))return u;if(n!==ce&&se(n,t))return i[t]=4,n[t];if(d=a.config.globalProperties,se(d,t))return d[t]},set({_:e},t,n){const{data:s,setupState:r,ctx:o}=e;return sr(r,t)?(r[t]=n,!0):s!==ce&&se(s,t)?(s[t]=n,!0):se(e.props,t)||t[0]==="$"&&t.slice(1)in e?!1:(o[t]=n,!0)},has({_:{data:e,setupState:t,accessCache:n,ctx:s,appContext:r,propsOptions:o}},i){let l;return!!n[i]||e!==ce&&se(e,i)||sr(t,i)||(l=o[0])&&se(l,i)||se(s,i)||se(On,i)||se(r.config.globalProperties,i)},defineProperty(e,t,n){return n.get!=null?e._.accessCache[t]=0:se(n,"value")&&this.set(e,t,n.value,null),Reflect.defineProperty(e,t,n)}};function Yo(e){return J(e)?e.reduce((t,n)=>(t[n]=null,t),{}):e}let Er=!0;function Gu(e){const t=yo(e),n=e.proxy,s=e.ctx;Er=!1,t.beforeCreate&&Zo(t.beforeCreate,e,"bc");const{data:r,computed:o,methods:i,watch:l,provide:a,inject:f,created:c,beforeMount:u,mounted:d,beforeUpdate:p,updated:_,activated:E,deactivated:k,beforeDestroy:T,beforeUnmount:w,destroyed:g,unmounted:y,render:v,renderTracked:S,renderTriggered:H,errorCaptured:B,serverPrefetch:I,expose:M,inheritAttrs:K,components:O,directives:q,filters:Z}=t;if(f&&Ju(f,s,null),i)for(const Y in i){const V=i[Y];Q(V)&&(s[Y]=V.bind(n))}if(r){const Y=r.call(n,n);le(Y)&&(e.data=It(Y))}if(Er=!0,o)for(const Y in o){const V=o[Y],me=Q(V)?V.bind(n,n):Q(V.get)?V.get.bind(n,n):ot,_t=!Q(V)&&Q(V.set)?V.set.bind(n):ot,et=Ve({get:me,set:_t});Object.defineProperty(s,Y,{enumerable:!0,configurable:!0,get:()=>et.value,set:Ae=>et.value=Ae})}if(l)for(const Y in l)sa(l[Y],s,n,Y);if(a){const Y=Q(a)?a.call(n):a;Reflect.ownKeys(Y).forEach(V=>{Kt(V,Y[V])})}c&&Zo(c,e,"c");function U(Y,V){J(V)?V.forEach(me=>Y(me.bind(n))):V&&Y(V.bind(n))}if(U(Du,u),U(go,d),U(Uu,p),U(Ql,_),U($u,E),U(ju,k),U(Yl,B),U(Wu,S),U(Vu,H),U(mo,w),U(Xl,y),U(Bu,I),J(M))if(M.length){const Y=e.exposed||(e.exposed={});M.forEach(V=>{Object.defineProperty(Y,V,{get:()=>n[V],set:me=>n[V]=me})})}else e.exposed||(e.exposed={});v&&e.render===ot&&(e.render=v),K!=null&&(e.inheritAttrs=K),O&&(e.components=O),q&&(e.directives=q),I&&po(e)}function Ju(e,t,n=ot){J(e)&&(e=Tr(e));for(const s in e){const r=e[s];let o;le(r)?"default"in r?o=Pe(r.from||s,r.default,!0):o=Pe(r.from||s):o=Pe(r),we(o)?Object.defineProperty(t,s,{enumerable:!0,configurable:!0,get:()=>o.value,set:i=>o.value=i}):t[s]=o}}function Zo(e,t,n){Ye(J(e)?e.map(s=>s.bind(t.proxy)):e.bind(t.proxy),t,n)}function sa(e,t,n,s){let r=s.includes(".")?ba(n,s):()=>n[s];if(he(e)){const o=t[e];Q(o)&&fn(r,o)}else if(Q(e))fn(r,e.bind(n));else if(le(e))if(J(e))e.forEach(o=>sa(o,t,n,s));else{const o=Q(e.handler)?e.handler.bind(n):t[e.handler];Q(o)&&fn(r,o,e)}}function yo(e){const t=e.type,{mixins:n,extends:s}=t,{mixins:r,optionsCache:o,config:{optionMergeStrategies:i}}=e.appContext,l=o.get(t);let a;return l?a=l:!r.length&&!n&&!s?a=t:(a={},r.length&&r.forEach(f=>Rs(a,f,i,!0)),Rs(a,t,i)),le(t)&&o.set(t,a),a}function Rs(e,t,n,s=!1){const{mixins:r,extends:o}=t;o&&Rs(e,o,n,!0),r&&r.forEach(i=>Rs(e,i,n,!0));for(const i in t)if(!(s&&i==="expose")){const l=zu[i]||n&&n[i];e[i]=l?l(e[i],t[i]):t[i]}return e}const zu={data:ei,props:ti,emits:ti,methods:Pn,computed:Pn,beforeCreate:xe,created:xe,beforeMount:xe,mounted:xe,beforeUpdate:xe,updated:xe,beforeDestroy:xe,beforeUnmount:xe,destroyed:xe,unmounted:xe,activated:xe,deactivated:xe,errorCaptured:xe,serverPrefetch:xe,components:Pn,directives:Pn,watch:Xu,provide:ei,inject:Qu};function ei(e,t){return t?e?function(){return ve(Q(e)?e.call(this,this):e,Q(t)?t.call(this,this):t)}:t:e}function Qu(e,t){return Pn(Tr(e),Tr(t))}function Tr(e){if(J(e)){const t={};for(let n=0;n<e.length;n++)t[e[n]]=e[n];return t}return e}function xe(e,t){return e?[...new Set([].concat(e,t))]:t}function Pn(e,t){return e?ve(Object.create(null),e,t):t}function ti(e,t){return e?J(e)&&J(t)?[...new Set([...e,...t])]:ve(Object.create(null),Yo(e),Yo(t??{})):t}function Xu(e,t){if(!e)return t;if(!t)return e;const n=ve(Object.create(null),e);for(const s in t)n[s]=xe(e[s],t[s]);return n}function ra(){return{app:null,config:{isNativeTag:Pc,performance:!1,globalProperties:{},optionMergeStrategies:{},errorHandler:void 0,warnHandler:void 0,compilerOptions:{}},mixins:[],components:{},directives:{},provides:Object.create(null),optionsCache:new WeakMap,propsCache:new WeakMap,emitsCache:new WeakMap}}let Yu=0;function Zu(e,t){return function(s,r=null){Q(s)||(s=ve({},s)),r!=null&&!le(r)&&(r=null);const o=ra(),i=new WeakSet,l=[];let a=!1;const f=o.app={_uid:Yu++,_component:s,_props:r,_container:null,_context:o,_instance:null,version:Ma,get config(){return o.config},set config(c){},use(c,...u){return i.has(c)||(c&&Q(c.install)?(i.add(c),c.install(f,...u)):Q(c)&&(i.add(c),c(f,...u))),f},mixin(c){return o.mixins.includes(c)||o.mixins.push(c),f},component(c,u){return u?(o.components[c]=u,f):o.components[c]},directive(c,u){return u?(o.directives[c]=u,f):o.directives[c]},mount(c,u,d){if(!a){const p=f._ceVNode||pe(s,r);return p.appContext=o,d===!0?d="svg":d===!1&&(d=void 0),u&&t?t(p,c):e(p,c,d),a=!0,f._container=c,c.__vue_app__=f,Vs(p.component)}},onUnmount(c){l.push(c)},unmount(){a&&(Ye(l,f._instance,16),e(null,f._container),delete f._container.__vue_app__)},provide(c,u){return o.provides[c]=u,f},runWithContext(c){const u=Wt;Wt=f;try{return c()}finally{Wt=u}}};return f}}let Wt=null;function Kt(e,t){if(_e){let n=_e.provides;const s=_e.parent&&_e.parent.provides;s===n&&(n=_e.provides=Object.create(s)),n[e]=t}}function Pe(e,t,n=!1){const s=_e||be;if(s||Wt){const r=Wt?Wt._context.provides:s?s.parent==null?s.vnode.appContext&&s.vnode.appContext.provides:s.parent.provides:void 0;if(r&&e in r)return r[e];if(arguments.length>1)return n&&Q(t)?t.call(s&&s.proxy):t}}function oa(){return!!(_e||be||Wt)}const ia={},la=()=>Object.create(ia),aa=e=>Object.getPrototypeOf(e)===ia;function ef(e,t,n,s=!1){const r={},o=la();e.propsDefaults=Object.create(null),ca(e,t,r,o);for(const i in e.propsOptions[0])i in r||(r[i]=void 0);n?e.props=s?r:ht(r):e.type.props?e.props=r:e.props=o,e.attrs=o}function tf(e,t,n,s){const{props:r,attrs:o,vnode:{patchFlag:i}}=e,l=te(r),[a]=e.propsOptions;let f=!1;if((s||i>0)&&!(i&16)){if(i&8){const c=e.vnode.dynamicProps;for(let u=0;u<c.length;u++){let d=c[u];if(Bs(e.emitsOptions,d))continue;const p=t[d];if(a)if(se(o,d))p!==o[d]&&(o[d]=p,f=!0);else{const _=Xe(d);r[_]=Rr(a,l,_,p,e,!1)}else p!==o[d]&&(o[d]=p,f=!0)}}}else{ca(e,t,r,o)&&(f=!0);let c;for(const u in l)(!t||!se(t,u)&&((c=Jt(u))===u||!se(t,c)))&&(a?n&&(n[u]!==void 0||n[c]!==void 0)&&(r[u]=Rr(a,l,u,void 0,e,!0)):delete r[u]);if(o!==l)for(const u in o)(!t||!se(t,u))&&(delete o[u],f=!0)}f&&pt(e.attrs,"set","")}function ca(e,t,n,s){const[r,o]=e.propsOptions;let i=!1,l;if(t)for(let a in t){if(an(a))continue;const f=t[a];let c;r&&se(r,c=Xe(a))?!o||!o.includes(c)?n[c]=f:(l||(l={}))[c]=f:Bs(e.emitsOptions,a)||(!(a in s)||f!==s[a])&&(s[a]=f,i=!0)}if(o){const a=te(n),f=l||ce;for(let c=0;c<o.length;c++){const u=o[c];n[u]=Rr(r,a,u,f[u],e,!se(f,u))}}return i}function Rr(e,t,n,s,r,o){const i=e[n];if(i!=null){const l=se(i,"default");if(l&&s===void 0){const a=i.default;if(i.type!==Function&&!i.skipFactory&&Q(a)){const{propsDefaults:f}=r;if(n in f)s=f[n];else{const c=zn(r);s=f[n]=a.call(null,t),c()}}else s=a;r.ce&&r.ce._setProp(n,s)}i[0]&&(o&&!l?s=!1:i[1]&&(s===""||s===Jt(n))&&(s=!0))}return s}const nf=new WeakMap;function ua(e,t,n=!1){const s=n?nf:t.propsCache,r=s.get(e);if(r)return r;const o=e.props,i={},l=[];let a=!1;if(!Q(e)){const c=u=>{a=!0;const[d,p]=ua(u,t,!0);ve(i,d),p&&l.push(...p)};!n&&t.mixins.length&&t.mixins.forEach(c),e.extends&&c(e.extends),e.mixins&&e.mixins.forEach(c)}if(!o&&!a)return le(e)&&s.set(e,on),on;if(J(o))for(let c=0;c<o.length;c++){const u=Xe(o[c]);ni(u)&&(i[u]=ce)}else if(o)for(const c in o){const u=Xe(c);if(ni(u)){const d=o[c],p=i[u]=J(d)||Q(d)?{type:d}:ve({},d),_=p.type;let E=!1,k=!0;if(J(_))for(let T=0;T<_.length;++T){const w=_[T],g=Q(w)&&w.name;if(g==="Boolean"){E=!0;break}else g==="String"&&(k=!1)}else E=Q(_)&&_.name==="Boolean";p[0]=E,p[1]=k,(E||se(p,"default"))&&l.push(u)}}const f=[i,l];return le(e)&&s.set(e,f),f}function ni(e){return e[0]!=="$"&&!an(e)}const fa=e=>e[0]==="_"||e==="$stable",_o=e=>J(e)?e.map(je):[je(e)],sf=(e,t,n)=>{if(t._n)return t;const s=ho((...r)=>_o(t(...r)),n);return s._c=!1,s},da=(e,t,n)=>{const s=e._ctx;for(const r in e){if(fa(r))continue;const o=e[r];if(Q(o))t[r]=sf(r,o,s);else if(o!=null){const i=_o(o);t[r]=()=>i}}},ha=(e,t)=>{const n=_o(t);e.slots.default=()=>n},pa=(e,t,n)=>{for(const s in t)(n||s!=="_")&&(e[s]=t[s])},rf=(e,t,n)=>{const s=e.slots=la();if(e.vnode.shapeFlag&32){const r=t._;r?(pa(s,t,n),n&&gl(s,"_",r,!0)):da(t,s)}else t&&ha(e,t)},of=(e,t,n)=>{const{vnode:s,slots:r}=e;let o=!0,i=ce;if(s.shapeFlag&32){const l=t._;l?n&&l===1?o=!1:pa(r,t,n):(o=!t.$stable,da(t,r)),i=t}else t&&(ha(e,t),i={default:1});if(o)for(const l in r)!fa(l)&&i[l]==null&&delete r[l]},Ee=Ea;function lf(e){return ga(e)}function af(e){return ga(e,Mu)}function ga(e,t){const n=yl();n.__VUE__=!0;const{insert:s,remove:r,patchProp:o,createElement:i,createText:l,createComment:a,setText:f,setElementText:c,parentNode:u,nextSibling:d,setScopeId:p=ot,insertStaticContent:_}=e,E=(h,m,b,x=null,R=null,P=null,$=void 0,N=null,L=!!m.dynamicChildren)=>{if(h===m)return;h&&!ze(h,m)&&(x=C(h),Ae(h,R,P,!0),h=null),m.patchFlag===-2&&(L=!1,m.dynamicChildren=null);const{type:A,ref:z,shapeFlag:F}=m;switch(A){case qt:k(h,m,b,x);break;case ye:T(h,m,b,x);break;case ds:h==null&&w(m,b,x,$);break;case Ce:O(h,m,b,x,R,P,$,N,L);break;default:F&1?v(h,m,b,x,R,P,$,N,L):F&6?q(h,m,b,x,R,P,$,N,L):(F&64||F&128)&&A.process(h,m,b,x,R,P,$,N,L,W)}z!=null&&R&&Ts(z,h&&h.ref,P,m||h,!m)},k=(h,m,b,x)=>{if(h==null)s(m.el=l(m.children),b,x);else{const R=m.el=h.el;m.children!==h.children&&f(R,m.children)}},T=(h,m,b,x)=>{h==null?s(m.el=a(m.children||""),b,x):m.el=h.el},w=(h,m,b,x)=>{[h.el,h.anchor]=_(h.children,m,b,x,h.el,h.anchor)},g=({el:h,anchor:m},b,x)=>{let R;for(;h&&h!==m;)R=d(h),s(h,b,x),h=R;s(m,b,x)},y=({el:h,anchor:m})=>{let b;for(;h&&h!==m;)b=d(h),r(h),h=b;r(m)},v=(h,m,b,x,R,P,$,N,L)=>{m.type==="svg"?$="svg":m.type==="math"&&($="mathml"),h==null?S(m,b,x,R,P,$,N,L):I(h,m,R,P,$,N,L)},S=(h,m,b,x,R,P,$,N)=>{let L,A;const{props:z,shapeFlag:F,transition:G,dirs:X}=h;if(L=h.el=i(h.type,P,z&&z.is,z),F&8?c(L,h.children):F&16&&B(h.children,L,null,x,R,rr(h,P),$,N),X&&st(h,null,x,"created"),H(L,h,h.scopeId,$,x),z){for(const ue in z)ue!=="value"&&!an(ue)&&o(L,ue,null,z[ue],P,x);"value"in z&&o(L,"value",null,z.value,P),(A=z.onVnodeBeforeMount)&&Oe(A,x,h)}X&&st(h,null,x,"beforeMount");const ee=ma(R,G);ee&&G.beforeEnter(L),s(L,m,b),((A=z&&z.onVnodeMounted)||ee||X)&&Ee(()=>{A&&Oe(A,x,h),ee&&G.enter(L),X&&st(h,null,x,"mounted")},R)},H=(h,m,b,x,R)=>{if(b&&p(h,b),x)for(let P=0;P<x.length;P++)p(h,x[P]);if(R){let P=R.subTree;if(m===P||Ss(P.type)&&(P.ssContent===m||P.ssFallback===m)){const $=R.vnode;H(h,$,$.scopeId,$.slotScopeIds,R.parent)}}},B=(h,m,b,x,R,P,$,N,L=0)=>{for(let A=L;A<h.length;A++){const z=h[A]=N?Rt(h[A]):je(h[A]);E(null,z,m,b,x,R,P,$,N)}},I=(h,m,b,x,R,P,$)=>{const N=m.el=h.el;let{patchFlag:L,dynamicChildren:A,dirs:z}=m;L|=h.patchFlag&16;const F=h.props||ce,G=m.props||ce;let X;if(b&&Nt(b,!1),(X=G.onVnodeBeforeUpdate)&&Oe(X,b,m,h),z&&st(m,h,b,"beforeUpdate"),b&&Nt(b,!0),(F.innerHTML&&G.innerHTML==null||F.textContent&&G.textContent==null)&&c(N,""),A?M(h.dynamicChildren,A,N,b,x,rr(m,R),P):$||V(h,m,N,null,b,x,rr(m,R),P,!1),L>0){if(L&16)K(N,F,G,b,R);else if(L&2&&F.class!==G.class&&o(N,"class",null,G.class,R),L&4&&o(N,"style",F.style,G.style,R),L&8){const ee=m.dynamicProps;for(let ue=0;ue<ee.length;ue++){const re=ee[ue],Ie=F[re],Te=G[re];(Te!==Ie||re==="value")&&o(N,re,Ie,Te,R,b)}}L&1&&h.children!==m.children&&c(N,m.children)}else!$&&A==null&&K(N,F,G,b,R);((X=G.onVnodeUpdated)||z)&&Ee(()=>{X&&Oe(X,b,m,h),z&&st(m,h,b,"updated")},x)},M=(h,m,b,x,R,P,$)=>{for(let N=0;N<m.length;N++){const L=h[N],A=m[N],z=L.el&&(L.type===Ce||!ze(L,A)||L.shapeFlag&70)?u(L.el):b;E(L,A,z,null,x,R,P,$,!0)}},K=(h,m,b,x,R)=>{if(m!==b){if(m!==ce)for(const P in m)!an(P)&&!(P in b)&&o(h,P,m[P],null,R,x);for(const P in b){if(an(P))continue;const $=b[P],N=m[P];$!==N&&P!=="value"&&o(h,P,N,$,R,x)}"value"in b&&o(h,"value",m.value,b.value,R)}},O=(h,m,b,x,R,P,$,N,L)=>{const A=m.el=h?h.el:l(""),z=m.anchor=h?h.anchor:l("");let{patchFlag:F,dynamicChildren:G,slotScopeIds:X}=m;X&&(N=N?N.concat(X):X),h==null?(s(A,b,x),s(z,b,x),B(m.children||[],b,z,R,P,$,N,L)):F>0&&F&64&&G&&h.dynamicChildren?(M(h.dynamicChildren,G,b,R,P,$,N),(m.key!=null||R&&m===R.subTree)&&ya(h,m,!0)):V(h,m,b,z,R,P,$,N,L)},q=(h,m,b,x,R,P,$,N,L)=>{m.slotScopeIds=N,h==null?m.shapeFlag&512?R.ctx.activate(m,b,x,$,L):Z(m,b,x,R,P,$,L):ie(h,m,L)},Z=(h,m,b,x,R,P,$)=>{const N=h.component=Pf(h,x,R);if(Jn(h)&&(N.ctx.renderer=W),Af(N,!1,$),N.asyncDep){if(R&&R.registerDep(N,U,$),!h.el){const L=N.subTree=pe(ye);T(null,L,m,b)}}else U(N,h,m,b,R,P,$)},ie=(h,m,b)=>{const x=m.component=h.component;if(_f(h,m,b))if(x.asyncDep&&!x.asyncResolved){Y(x,m,b);return}else x.next=m,x.update();else m.el=h.el,x.vnode=m},U=(h,m,b,x,R,P,$)=>{const N=()=>{if(h.isMounted){let{next:F,bu:G,u:X,parent:ee,vnode:ue}=h;{const Le=_a(h);if(Le){F&&(F.el=ue.el,Y(h,F,$)),Le.asyncDep.then(()=>{h.isUnmounted||N()});return}}let re=F,Ie;Nt(h,!1),F?(F.el=ue.el,Y(h,F,$)):F=ue,G&&cn(G),(Ie=F.props&&F.props.onVnodeBeforeUpdate)&&Oe(Ie,ee,F,ue),Nt(h,!0);const Te=or(h),Ge=h.subTree;h.subTree=Te,E(Ge,Te,u(Ge.el),C(Ge),h,R,P),F.el=Te.el,re===null&&vo(h,Te.el),X&&Ee(X,R),(Ie=F.props&&F.props.onVnodeUpdated)&&Ee(()=>Oe(Ie,ee,F,ue),R)}else{let F;const{el:G,props:X}=m,{bm:ee,m:ue,parent:re,root:Ie,type:Te}=h,Ge=kt(m);if(Nt(h,!1),ee&&cn(ee),!Ge&&(F=X&&X.onVnodeBeforeMount)&&Oe(F,re,m),Nt(h,!0),G&&de){const Le=()=>{h.subTree=or(h),de(G,h.subTree,h,R,null)};Ge&&Te.__asyncHydrate?Te.__asyncHydrate(G,h,Le):Le()}else{Ie.ce&&Ie.ce._injectChildStyle(Te);const Le=h.subTree=or(h);E(null,Le,b,x,h,R,P),m.el=Le.el}if(ue&&Ee(ue,R),!Ge&&(F=X&&X.onVnodeMounted)){const Le=m;Ee(()=>Oe(F,re,Le),R)}(m.shapeFlag&256||re&&kt(re.vnode)&&re.vnode.shapeFlag&256)&&h.a&&Ee(h.a,R),h.isMounted=!0,m=b=x=null}};h.scope.on();const L=h.effect=new Tl(N);h.scope.off();const A=h.update=L.run.bind(L),z=h.job=L.runIfDirty.bind(L);z.i=h,z.id=h.uid,L.scheduler=()=>fo(z),Nt(h,!0),A()},Y=(h,m,b)=>{m.component=h;const x=h.vnode.props;h.vnode=m,h.next=null,tf(h,m.props,x,b),of(h,m.children,b),Mt(),qo(h),Ht()},V=(h,m,b,x,R,P,$,N,L=!1)=>{const A=h&&h.children,z=h?h.shapeFlag:0,F=m.children,{patchFlag:G,shapeFlag:X}=m;if(G>0){if(G&128){_t(A,F,b,x,R,P,$,N,L);return}else if(G&256){me(A,F,b,x,R,P,$,N,L);return}}X&8?(z&16&&Fe(A,R,P),F!==A&&c(b,F)):z&16?X&16?_t(A,F,b,x,R,P,$,N,L):Fe(A,R,P,!0):(z&8&&c(b,""),X&16&&B(F,b,x,R,P,$,N,L))},me=(h,m,b,x,R,P,$,N,L)=>{h=h||on,m=m||on;const A=h.length,z=m.length,F=Math.min(A,z);let G;for(G=0;G<F;G++){const X=m[G]=L?Rt(m[G]):je(m[G]);E(h[G],X,b,null,R,P,$,N,L)}A>z?Fe(h,R,P,!0,!1,F):B(m,b,x,R,P,$,N,L,F)},_t=(h,m,b,x,R,P,$,N,L)=>{let A=0;const z=m.length;let F=h.length-1,G=z-1;for(;A<=F&&A<=G;){const X=h[A],ee=m[A]=L?Rt(m[A]):je(m[A]);if(ze(X,ee))E(X,ee,b,null,R,P,$,N,L);else break;A++}for(;A<=F&&A<=G;){const X=h[F],ee=m[G]=L?Rt(m[G]):je(m[G]);if(ze(X,ee))E(X,ee,b,null,R,P,$,N,L);else break;F--,G--}if(A>F){if(A<=G){const X=G+1,ee=X<z?m[X].el:x;for(;A<=G;)E(null,m[A]=L?Rt(m[A]):je(m[A]),b,ee,R,P,$,N,L),A++}}else if(A>G)for(;A<=F;)Ae(h[A],R,P,!0),A++;else{const X=A,ee=A,ue=new Map;for(A=ee;A<=G;A++){const Ne=m[A]=L?Rt(m[A]):je(m[A]);Ne.key!=null&&ue.set(Ne.key,A)}let re,Ie=0;const Te=G-ee+1;let Ge=!1,Le=0;const Tn=new Array(Te);for(A=0;A<Te;A++)Tn[A]=0;for(A=X;A<=F;A++){const Ne=h[A];if(Ie>=Te){Ae(Ne,R,P,!0);continue}let tt;if(Ne.key!=null)tt=ue.get(Ne.key);else for(re=ee;re<=G;re++)if(Tn[re-ee]===0&&ze(Ne,m[re])){tt=re;break}tt===void 0?Ae(Ne,R,P,!0):(Tn[tt-ee]=A+1,tt>=Le?Le=tt:Ge=!0,E(Ne,m[tt],b,null,R,P,$,N,L),Ie++)}const No=Ge?cf(Tn):on;for(re=No.length-1,A=Te-1;A>=0;A--){const Ne=ee+A,tt=m[Ne],$o=Ne+1<z?m[Ne+1].el:x;Tn[A]===0?E(null,tt,b,$o,R,P,$,N,L):Ge&&(re<0||A!==No[re]?et(tt,b,$o,2):re--)}}},et=(h,m,b,x,R=null)=>{const{el:P,type:$,transition:N,children:L,shapeFlag:A}=h;if(A&6){et(h.component.subTree,m,b,x);return}if(A&128){h.suspense.move(m,b,x);return}if(A&64){$.move(h,m,b,W);return}if($===Ce){s(P,m,b);for(let F=0;F<L.length;F++)et(L[F],m,b,x);s(h.anchor,m,b);return}if($===ds){g(h,m,b);return}if(x!==2&&A&1&&N)if(x===0)N.beforeEnter(P),s(P,m,b),Ee(()=>N.enter(P),R);else{const{leave:F,delayLeave:G,afterLeave:X}=N,ee=()=>s(P,m,b),ue=()=>{F(P,()=>{ee(),X&&X()})};G?G(P,ee,ue):ue()}else s(P,m,b)},Ae=(h,m,b,x=!1,R=!1)=>{const{type:P,props:$,ref:N,children:L,dynamicChildren:A,shapeFlag:z,patchFlag:F,dirs:G,cacheIndex:X}=h;if(F===-2&&(R=!1),N!=null&&Ts(N,null,b,h,!0),X!=null&&(m.renderCache[X]=void 0),z&256){m.ctx.deactivate(h);return}const ee=z&1&&G,ue=!kt(h);let re;if(ue&&(re=$&&$.onVnodeBeforeUnmount)&&Oe(re,m,h),z&6)Yn(h.component,b,x);else{if(z&128){h.suspense.unmount(b,x);return}ee&&st(h,null,m,"beforeUnmount"),z&64?h.type.remove(h,m,b,W,x):A&&!A.hasOnce&&(P!==Ce||F>0&&F&64)?Fe(A,m,b,!1,!0):(P===Ce&&F&384||!R&&z&16)&&Fe(L,m,b),x&&Xt(h)}(ue&&(re=$&&$.onVnodeUnmounted)||ee)&&Ee(()=>{re&&Oe(re,m,h),ee&&st(h,null,m,"unmounted")},b)},Xt=h=>{const{type:m,el:b,anchor:x,transition:R}=h;if(m===Ce){Yt(b,x);return}if(m===ds){y(h);return}const P=()=>{r(b),R&&!R.persisted&&R.afterLeave&&R.afterLeave()};if(h.shapeFlag&1&&R&&!R.persisted){const{leave:$,delayLeave:N}=R,L=()=>$(b,P);N?N(h.el,P,L):L()}else P()},Yt=(h,m)=>{let b;for(;h!==m;)b=d(h),r(h),h=b;r(m)},Yn=(h,m,b)=>{const{bum:x,scope:R,job:P,subTree:$,um:N,m:L,a:A}=h;Cs(L),Cs(A),x&&cn(x),R.stop(),P&&(P.flags|=8,Ae($,h,m,b)),N&&Ee(N,m),Ee(()=>{h.isUnmounted=!0},m),m&&m.pendingBranch&&!m.isUnmounted&&h.asyncDep&&!h.asyncResolved&&h.suspenseId===m.pendingId&&(m.deps--,m.deps===0&&m.resolve())},Fe=(h,m,b,x=!1,R=!1,P=0)=>{for(let $=P;$<h.length;$++)Ae(h[$],m,b,x,R)},C=h=>{if(h.shapeFlag&6)return C(h.component.subTree);if(h.shapeFlag&128)return h.suspense.next();const m=d(h.anchor||h.el),b=m&&m[Su];return b?d(b):m};let D=!1;const j=(h,m,b)=>{h==null?m._vnode&&Ae(m._vnode,null,null,!0):E(m._vnode||null,h,m,null,null,null,b),m._vnode=h,D||(D=!0,qo(),ws(),D=!1)},W={p:E,um:Ae,m:et,r:Xt,mt:Z,mc:B,pc:V,pbc:M,n:C,o:e};let ne,de;return t&&([ne,de]=t(W)),{render:j,hydrate:ne,createApp:Zu(j,ne)}}function rr({type:e,props:t},n){return n==="svg"&&e==="foreignObject"||n==="mathml"&&e==="annotation-xml"&&t&&t.encoding&&t.encoding.includes("html")?void 0:n}function Nt({effect:e,job:t},n){n?(e.flags|=32,t.flags|=4):(e.flags&=-33,t.flags&=-5)}function ma(e,t){return(!e||e&&!e.pendingBranch)&&t&&!t.persisted}function ya(e,t,n=!1){const s=e.children,r=t.children;if(J(s)&&J(r))for(let o=0;o<s.length;o++){const i=s[o];let l=r[o];l.shapeFlag&1&&!l.dynamicChildren&&((l.patchFlag<=0||l.patchFlag===32)&&(l=r[o]=Rt(r[o]),l.el=i.el),!n&&l.patchFlag!==-2&&ya(i,l)),l.type===qt&&(l.el=i.el)}}function cf(e){const t=e.slice(),n=[0];let s,r,o,i,l;const a=e.length;for(s=0;s<a;s++){const f=e[s];if(f!==0){if(r=n[n.length-1],e[r]<f){t[s]=r,n.push(s);continue}for(o=0,i=n.length-1;o<i;)l=o+i>>1,e[n[l]]<f?o=l+1:i=l;f<e[n[o]]&&(o>0&&(t[s]=n[o-1]),n[o]=s)}}for(o=n.length,i=n[o-1];o-- >0;)n[o]=i,i=t[i];return n}function _a(e){const t=e.subTree.component;if(t)return t.asyncDep&&!t.asyncResolved?t:_a(t)}function Cs(e){if(e)for(let t=0;t<e.length;t++)e[t].flags|=8}const uf=Symbol.for("v-scx"),ff=()=>Pe(uf);function Pm(e,t){return bo(e,null,t)}function fn(e,t,n){return bo(e,t,n)}function bo(e,t,n=ce){const{immediate:s,deep:r,flush:o,once:i}=n,l=ve({},n);let a;if(Qn)if(o==="sync"){const d=ff();a=d.__watcherHandles||(d.__watcherHandles=[])}else if(!t||s)l.once=!0;else return{stop:ot,resume:ot,pause:ot};const f=_e;l.call=(d,p,_)=>Ye(d,f,p,_);let c=!1;o==="post"?l.scheduler=d=>{Ee(d,f&&f.suspense)}:o!=="sync"&&(c=!0,l.scheduler=(d,p)=>{p?d():fo(d)}),l.augmentJob=d=>{t&&(d.flags|=4),c&&(d.flags|=2,f&&(d.id=f.uid,d.i=f))};const u=Tu(e,t,l);return a&&a.push(u),u}function df(e,t,n){const s=this.proxy,r=he(e)?e.includes(".")?ba(s,e):()=>s[e]:e.bind(s,s);let o;Q(t)?o=t:(o=t.handler,n=t);const i=zn(this),l=bo(r,o.bind(s),n);return i(),l}function ba(e,t){const n=t.split(".");return()=>{let s=e;for(let r=0;r<n.length&&s;r++)s=s[n[r]];return s}}const hf=(e,t)=>t==="modelValue"||t==="model-value"?e.modelModifiers:e[`${t}Modifiers`]||e[`${Xe(t)}Modifiers`]||e[`${Jt(t)}Modifiers`];function pf(e,t,...n){if(e.isUnmounted)return;const s=e.vnode.props||ce;let r=n;const o=t.startsWith("update:"),i=o&&hf(s,t.slice(7));i&&(i.trim&&(r=n.map(c=>he(c)?c.trim():c)),i.number&&(r=n.map(_s)));let l,a=s[l=zs(t)]||s[l=zs(Xe(t))];!a&&o&&(a=s[l=zs(Jt(t))]),a&&Ye(a,e,6,r);const f=s[l+"Once"];if(f){if(!e.emitted)e.emitted={};else if(e.emitted[l])return;e.emitted[l]=!0,Ye(f,e,6,r)}}function va(e,t,n=!1){const s=t.emitsCache,r=s.get(e);if(r!==void 0)return r;const o=e.emits;let i={},l=!1;if(!Q(e)){const a=f=>{const c=va(f,t,!0);c&&(l=!0,ve(i,c))};!n&&t.mixins.length&&t.mixins.forEach(a),e.extends&&a(e.extends),e.mixins&&e.mixins.forEach(a)}return!o&&!l?(le(e)&&s.set(e,null),null):(J(o)?o.forEach(a=>i[a]=null):ve(i,o),le(e)&&s.set(e,i),i)}function Bs(e,t){return!e||!qn(t)?!1:(t=t.slice(2).replace(/Once$/,""),se(e,t[0].toLowerCase()+t.slice(1))||se(e,Jt(t))||se(e,t))}function or(e){const{type:t,vnode:n,proxy:s,withProxy:r,propsOptions:[o],slots:i,attrs:l,emit:a,render:f,renderCache:c,props:u,data:d,setupState:p,ctx:_,inheritAttrs:E}=e,k=Es(e);let T,w;try{if(n.shapeFlag&4){const y=r||s,v=y;T=je(f.call(v,y,c,u,p,d,_)),w=l}else{const y=t;T=je(y.length>1?y(u,{attrs:l,slots:i,emit:a}):y(u,null)),w=t.props?l:mf(l)}}catch(y){Mn.length=0,En(y,e,1),T=pe(ye)}let g=T;if(w&&E!==!1){const y=Object.keys(w),{shapeFlag:v}=g;y.length&&v&7&&(o&&y.some(Xr)&&(w=yf(w,o)),g=mt(g,w,!1,!0))}return n.dirs&&(g=mt(g,null,!1,!0),g.dirs=g.dirs?g.dirs.concat(n.dirs):n.dirs),n.transition&&pn(g,n.transition),T=g,Es(k),T}function gf(e,t=!0){let n;for(let s=0;s<e.length;s++){const r=e[s];if(mn(r)){if(r.type!==ye||r.children==="v-if"){if(n)return;n=r}}else return}return n}const mf=e=>{let t;for(const n in e)(n==="class"||n==="style"||qn(n))&&((t||(t={}))[n]=e[n]);return t},yf=(e,t)=>{const n={};for(const s in e)(!Xr(s)||!(s.slice(9)in t))&&(n[s]=e[s]);return n};function _f(e,t,n){const{props:s,children:r,component:o}=e,{props:i,children:l,patchFlag:a}=t,f=o.emitsOptions;if(t.dirs||t.transition)return!0;if(n&&a>=0){if(a&1024)return!0;if(a&16)return s?si(s,i,f):!!i;if(a&8){const c=t.dynamicProps;for(let u=0;u<c.length;u++){const d=c[u];if(i[d]!==s[d]&&!Bs(f,d))return!0}}}else return(r||l)&&(!l||!l.$stable)?!0:s===i?!1:s?i?si(s,i,f):!0:!!i;return!1}function si(e,t,n){const s=Object.keys(t);if(s.length!==Object.keys(e).length)return!0;for(let r=0;r<s.length;r++){const o=s[r];if(t[o]!==e[o]&&!Bs(n,o))return!0}return!1}function vo({vnode:e,parent:t},n){for(;t;){const s=t.subTree;if(s.suspense&&s.suspense.activeBranch===e&&(s.el=e.el),s===e)(e=t.vnode).el=n,t=t.parent;else break}}const Ss=e=>e.__isSuspense;let Cr=0;const bf={name:"Suspense",__isSuspense:!0,process(e,t,n,s,r,o,i,l,a,f){if(e==null)vf(t,n,s,r,o,i,l,a,f);else{if(o&&o.deps>0&&!e.suspense.isInFallback){t.suspense=e.suspense,t.suspense.vnode=t,t.el=e.el;return}wf(e,t,n,s,r,i,l,a,f)}},hydrate:Ef,normalize:Tf},wo=bf;function Bn(e,t){const n=e.props&&e.props[t];Q(n)&&n()}function vf(e,t,n,s,r,o,i,l,a){const{p:f,o:{createElement:c}}=a,u=c("div"),d=e.suspense=wa(e,r,s,t,u,n,o,i,l,a);f(null,d.pendingBranch=e.ssContent,u,null,s,d,o,i),d.deps>0?(Bn(e,"onPending"),Bn(e,"onFallback"),f(null,e.ssFallback,t,n,s,null,o,i),dn(d,e.ssFallback)):d.resolve(!1,!0)}function wf(e,t,n,s,r,o,i,l,{p:a,um:f,o:{createElement:c}}){const u=t.suspense=e.suspense;u.vnode=t,t.el=e.el;const d=t.ssContent,p=t.ssFallback,{activeBranch:_,pendingBranch:E,isInFallback:k,isHydrating:T}=u;if(E)u.pendingBranch=d,ze(d,E)?(a(E,d,u.hiddenContainer,null,r,u,o,i,l),u.deps<=0?u.resolve():k&&(T||(a(_,p,n,s,r,null,o,i,l),dn(u,p)))):(u.pendingId=Cr++,T?(u.isHydrating=!1,u.activeBranch=E):f(E,r,u),u.deps=0,u.effects.length=0,u.hiddenContainer=c("div"),k?(a(null,d,u.hiddenContainer,null,r,u,o,i,l),u.deps<=0?u.resolve():(a(_,p,n,s,r,null,o,i,l),dn(u,p))):_&&ze(d,_)?(a(_,d,n,s,r,u,o,i,l),u.resolve(!0)):(a(null,d,u.hiddenContainer,null,r,u,o,i,l),u.deps<=0&&u.resolve()));else if(_&&ze(d,_))a(_,d,n,s,r,u,o,i,l),dn(u,d);else if(Bn(t,"onPending"),u.pendingBranch=d,d.shapeFlag&512?u.pendingId=d.component.suspenseId:u.pendingId=Cr++,a(null,d,u.hiddenContainer,null,r,u,o,i,l),u.deps<=0)u.resolve();else{const{timeout:w,pendingId:g}=u;w>0?setTimeout(()=>{u.pendingId===g&&u.fallback(p)},w):w===0&&u.fallback(p)}}function wa(e,t,n,s,r,o,i,l,a,f,c=!1){const{p:u,m:d,um:p,n:_,o:{parentNode:E,remove:k}}=f;let T;const w=Rf(e);w&&t&&t.pendingBranch&&(T=t.pendingId,t.deps++);const g=e.props?ml(e.props.timeout):void 0,y=o,v={vnode:e,parent:t,parentComponent:n,namespace:i,container:s,hiddenContainer:r,deps:0,pendingId:Cr++,timeout:typeof g=="number"?g:-1,activeBranch:null,pendingBranch:null,isInFallback:!c,isHydrating:c,isUnmounted:!1,effects:[],resolve(S=!1,H=!1){const{vnode:B,activeBranch:I,pendingBranch:M,pendingId:K,effects:O,parentComponent:q,container:Z}=v;let ie=!1;v.isHydrating?v.isHydrating=!1:S||(ie=I&&M.transition&&M.transition.mode==="out-in",ie&&(I.transition.afterLeave=()=>{K===v.pendingId&&(d(M,Z,o===y?_(I):o,0),br(O))}),I&&(E(I.el)===Z&&(o=_(I)),p(I,q,v,!0)),ie||d(M,Z,o,0)),dn(v,M),v.pendingBranch=null,v.isInFallback=!1;let U=v.parent,Y=!1;for(;U;){if(U.pendingBranch){U.effects.push(...O),Y=!0;break}U=U.parent}!Y&&!ie&&br(O),v.effects=[],w&&t&&t.pendingBranch&&T===t.pendingId&&(t.deps--,t.deps===0&&!H&&t.resolve()),Bn(B,"onResolve")},fallback(S){if(!v.pendingBranch)return;const{vnode:H,activeBranch:B,parentComponent:I,container:M,namespace:K}=v;Bn(H,"onFallback");const O=_(B),q=()=>{v.isInFallback&&(u(null,S,M,O,I,null,K,l,a),dn(v,S))},Z=S.transition&&S.transition.mode==="out-in";Z&&(B.transition.afterLeave=q),v.isInFallback=!0,p(B,I,null,!0),Z||q()},move(S,H,B){v.activeBranch&&d(v.activeBranch,S,H,B),v.container=S},next(){return v.activeBranch&&_(v.activeBranch)},registerDep(S,H,B){const I=!!v.pendingBranch;I&&v.deps++;const M=S.vnode.el;S.asyncDep.catch(K=>{En(K,S,0)}).then(K=>{if(S.isUnmounted||v.isUnmounted||v.pendingId!==S.suspenseId)return;S.asyncResolved=!0;const{vnode:O}=S;xr(S,K,!1),M&&(O.el=M);const q=!M&&S.subTree.el;H(S,O,E(M||S.subTree.el),M?null:_(S.subTree),v,i,B),q&&k(q),vo(S,O.el),I&&--v.deps===0&&v.resolve()})},unmount(S,H){v.isUnmounted=!0,v.activeBranch&&p(v.activeBranch,n,S,H),v.pendingBranch&&p(v.pendingBranch,n,S,H)}};return v}function Ef(e,t,n,s,r,o,i,l,a){const f=t.suspense=wa(t,s,n,e.parentNode,document.createElement("div"),null,r,o,i,l,!0),c=a(e,f.pendingBranch=t.ssContent,n,f,o,i);return f.deps===0&&f.resolve(!1,!0),c}function Tf(e){const{shapeFlag:t,children:n}=e,s=t&32;e.ssContent=ri(s?n.default:n),e.ssFallback=s?ri(n.fallback):pe(ye)}function ri(e){let t;if(Q(e)){const n=gn&&e._c;n&&(e._d=!1,Be()),e=e(),n&&(e._d=!0,t=Me,Ta())}return J(e)&&(e=gf(e)),e=je(e),t&&!e.dynamicChildren&&(e.dynamicChildren=t.filter(n=>n!==e)),e}function Ea(e,t){t&&t.pendingBranch?J(e)?t.effects.push(...e):t.effects.push(e):br(e)}function dn(e,t){e.activeBranch=t;const{vnode:n,parentComponent:s}=e;let r=t.el;for(;!r&&t.component;)t=t.component.subTree,r=t.el;n.el=r,s&&s.subTree===n&&(s.vnode.el=r,vo(s,r))}function Rf(e){const t=e.props&&e.props.suspensible;return t!=null&&t!==!1}const Ce=Symbol.for("v-fgt"),qt=Symbol.for("v-txt"),ye=Symbol.for("v-cmt"),ds=Symbol.for("v-stc"),Mn=[];let Me=null;function Be(e=!1){Mn.push(Me=e?null:[])}function Ta(){Mn.pop(),Me=Mn[Mn.length-1]||null}let gn=1;function oi(e){gn+=e,e<0&&Me&&(Me.hasOnce=!0)}function Ra(e){return e.dynamicChildren=gn>0?Me||on:null,Ta(),gn>0&&Me&&Me.push(e),e}function Cf(e,t,n,s,r,o){return Ra(Sa(e,t,n,s,r,o,!0))}function rt(e,t,n,s,r){return Ra(pe(e,t,n,s,r,!0))}function mn(e){return e?e.__v_isVNode===!0:!1}function ze(e,t){return e.type===t.type&&e.key===t.key}const Ca=({key:e})=>e??null,hs=({ref:e,ref_key:t,ref_for:n})=>(typeof e=="number"&&(e=""+e),e!=null?he(e)||we(e)||Q(e)?{i:be,r:e,k:t,f:!!n}:e:null);function Sa(e,t=null,n=null,s=0,r=null,o=e===Ce?0:1,i=!1,l=!1){const a={__v_isVNode:!0,__v_skip:!0,type:e,props:t,key:t&&Ca(t),ref:t&&hs(t),scopeId:Bl,slotScopeIds:null,children:n,component:null,suspense:null,ssContent:null,ssFallback:null,dirs:null,transition:null,el:null,anchor:null,target:null,targetStart:null,targetAnchor:null,staticCount:0,shapeFlag:o,patchFlag:s,dynamicProps:r,dynamicChildren:null,appContext:null,ctx:be};return l?(Eo(a,n),o&128&&e.normalize(a)):n&&(a.shapeFlag|=he(n)?8:16),gn>0&&!i&&Me&&(a.patchFlag>0||o&6)&&a.patchFlag!==32&&Me.push(a),a}const pe=Sf;function Sf(e,t=null,n=null,s=0,r=null,o=!1){if((!e||e===ea)&&(e=ye),mn(e)){const l=mt(e,t,!0);return n&&Eo(l,n),gn>0&&!o&&Me&&(l.shapeFlag&6?Me[Me.indexOf(e)]=l:Me.push(l)),l.patchFlag=-2,l}if(If(e)&&(e=e.__vccOpts),t){t=xa(t);let{class:l,style:a}=t;l&&!he(l)&&(t.class=js(l)),le(a)&&(ao(a)&&!J(a)&&(a=ve({},a)),t.style=$s(a))}const i=he(e)?1:Ss(e)?128:Vl(e)?64:le(e)?4:Q(e)?2:0;return Sa(e,t,n,s,r,i,o,!0)}function xa(e){return e?ao(e)||aa(e)?ve({},e):e:null}function mt(e,t,n=!1,s=!1){const{props:r,ref:o,patchFlag:i,children:l,transition:a}=e,f=t?Pa(r||{},t):r,c={__v_isVNode:!0,__v_skip:!0,type:e.type,props:f,key:f&&Ca(f),ref:t&&t.ref?n&&o?J(o)?o.concat(hs(t)):[o,hs(t)]:hs(t):o,scopeId:e.scopeId,slotScopeIds:e.slotScopeIds,children:l,target:e.target,targetStart:e.targetStart,targetAnchor:e.targetAnchor,staticCount:e.staticCount,shapeFlag:e.shapeFlag,patchFlag:t&&e.type!==Ce?i===-1?16:i|16:i,dynamicProps:e.dynamicProps,dynamicChildren:e.dynamicChildren,appContext:e.appContext,dirs:e.dirs,transition:a,component:e.component,suspense:e.suspense,ssContent:e.ssContent&&mt(e.ssContent),ssFallback:e.ssFallback&&mt(e.ssFallback),el:e.el,anchor:e.anchor,ctx:e.ctx,ce:e.ce};return a&&s&&pn(c,a.clone(c)),c}function ka(e=" ",t=0){return pe(qt,null,e,t)}function Am(e="",t=!1){return t?(Be(),rt(ye,null,e)):pe(ye,null,e)}function je(e){return e==null||typeof e=="boolean"?pe(ye):J(e)?pe(Ce,null,e.slice()):typeof e=="object"?Rt(e):pe(qt,null,String(e))}function Rt(e){return e.el===null&&e.patchFlag!==-1||e.memo?e:mt(e)}function Eo(e,t){let n=0;const{shapeFlag:s}=e;if(t==null)t=null;else if(J(t))n=16;else if(typeof t=="object")if(s&65){const r=t.default;r&&(r._c&&(r._d=!1),Eo(e,r()),r._c&&(r._d=!0));return}else{n=32;const r=t._;!r&&!aa(t)?t._ctx=be:r===3&&be&&(be.slots._===1?t._=1:(t._=2,e.patchFlag|=1024))}else Q(t)?(t={default:t,_ctx:be},n=32):(t=String(t),s&64?(n=16,t=[ka(t)]):n=8);e.children=t,e.shapeFlag|=n}function Pa(...e){const t={};for(let n=0;n<e.length;n++){const s=e[n];for(const r in s)if(r==="class")t.class!==s.class&&(t.class=js([t.class,s.class]));else if(r==="style")t.style=$s([t.style,s.style]);else if(qn(r)){const o=t[r],i=s[r];i&&o!==i&&!(J(o)&&o.includes(i))&&(t[r]=o?[].concat(o,i):i)}else r!==""&&(t[r]=s[r])}return t}function Oe(e,t,n,s=null){Ye(e,t,7,[n,s])}const xf=ra();let kf=0;function Pf(e,t,n){const s=e.type,r=(t?t.appContext:e.appContext)||xf,o={uid:kf++,vnode:e,type:s,parent:t,appContext:r,root:null,next:null,subTree:null,effect:null,update:null,job:null,scope:new wl(!0),render:null,proxy:null,exposed:null,exposeProxy:null,withProxy:null,provides:t?t.provides:Object.create(r.provides),ids:t?t.ids:["",0,0],accessCache:null,renderCache:[],components:null,directives:null,propsOptions:ua(s,r),emitsOptions:va(s,r),emit:null,emitted:null,propsDefaults:ce,inheritAttrs:s.inheritAttrs,ctx:ce,data:ce,props:ce,attrs:ce,slots:ce,refs:ce,setupState:ce,setupContext:null,suspense:n,suspenseId:n?n.pendingId:0,asyncDep:null,asyncResolved:!1,isMounted:!1,isUnmounted:!1,isDeactivated:!1,bc:null,c:null,bm:null,m:null,bu:null,u:null,um:null,bum:null,da:null,a:null,rtg:null,rtc:null,ec:null,sp:null};return o.ctx={_:o},o.root=t?t.root:o,o.emit=pf.bind(null,o),e.ce&&e.ce(o),o}let _e=null;const To=()=>_e||be;let xs,Sr;{const e=yl(),t=(n,s)=>{let r;return(r=e[n])||(r=e[n]=[]),r.push(s),o=>{r.length>1?r.forEach(i=>i(o)):r[0](o)}};xs=t("__VUE_INSTANCE_SETTERS__",n=>_e=n),Sr=t("__VUE_SSR_SETTERS__",n=>Qn=n)}const zn=e=>{const t=_e;return xs(e),e.scope.on(),()=>{e.scope.off(),xs(t)}},ii=()=>{_e&&_e.scope.off(),xs(null)};function Aa(e){return e.vnode.shapeFlag&4}let Qn=!1;function Af(e,t=!1,n=!1){t&&Sr(t);const{props:s,children:r}=e.vnode,o=Aa(e);ef(e,s,o,t),rf(e,r,n);const i=o?Of(e,t):void 0;return t&&Sr(!1),i}function Of(e,t){const n=e.type;e.accessCache=Object.create(null),e.proxy=new Proxy(e.ctx,qu);const{setup:s}=n;if(s){const r=e.setupContext=s.length>1?Hf(e):null,o=zn(e);Mt();const i=Gn(s,e,0,[e.props,r]);if(Ht(),o(),dl(i)){if(kt(e)||po(e),i.then(ii,ii),t)return i.then(l=>{xr(e,l,t)}).catch(l=>{En(l,e,0)});e.asyncDep=i}else xr(e,i,t)}else Oa(e,t)}function xr(e,t,n){Q(t)?e.type.__ssrInlineRender?e.ssrRender=t:e.render=t:le(t)&&(e.setupState=jl(t)),Oa(e,n)}let li;function Oa(e,t,n){const s=e.type;if(!e.render){if(!t&&li&&!s.render){const r=s.template||yo(e).template;if(r){const{isCustomElement:o,compilerOptions:i}=e.appContext.config,{delimiters:l,compilerOptions:a}=s,f=ve(ve({isCustomElement:o,delimiters:l},i),a);s.render=li(r,f)}}e.render=s.render||ot}{const r=zn(e);Mt();try{Gu(e)}finally{Ht(),r()}}}const Mf={get(e,t){return Se(e,"get",""),e[t]}};function Hf(e){const t=n=>{e.exposed=n||{}};return{attrs:new Proxy(e.attrs,Mf),slots:e.slots,emit:e.emit,expose:t}}function Vs(e){return e.exposed?e.exposeProxy||(e.exposeProxy=new Proxy(jl(hu(e.exposed)),{get(t,n){if(n in t)return t[n];if(n in On)return On[n](e)},has(t,n){return n in t||n in On}})):e.proxy}function kr(e,t=!0){return Q(e)?e.displayName||e.name:e.name||t&&e.__name}function If(e){return Q(e)&&"__vccOpts"in e}const Ve=(e,t)=>wu(e,t,Qn);function He(e,t,n){const s=arguments.length;return s===2?le(t)&&!J(t)?mn(t)?pe(e,null,[t]):pe(e,t):pe(e,null,t):(s>3?n=Array.prototype.slice.call(arguments,2):s===3&&mn(n)&&(n=[n]),pe(e,t,n))}const Ma="3.5.5";/**
16
- * @vue/runtime-dom v3.5.5
17
- * (c) 2018-present Yuxi (Evan) You and Vue contributors
18
- * @license MIT
19
- **/let Pr;const ai=typeof window<"u"&&window.trustedTypes;if(ai)try{Pr=ai.createPolicy("vue",{createHTML:e=>e})}catch{}const Ha=Pr?e=>Pr.createHTML(e):e=>e,Lf="http://www.w3.org/2000/svg",Nf="http://www.w3.org/1998/Math/MathML",ut=typeof document<"u"?document:null,ci=ut&&ut.createElement("template"),$f={insert:(e,t,n)=>{t.insertBefore(e,n||null)},remove:e=>{const t=e.parentNode;t&&t.removeChild(e)},createElement:(e,t,n,s)=>{const r=t==="svg"?ut.createElementNS(Lf,e):t==="mathml"?ut.createElementNS(Nf,e):n?ut.createElement(e,{is:n}):ut.createElement(e);return e==="select"&&s&&s.multiple!=null&&r.setAttribute("multiple",s.multiple),r},createText:e=>ut.createTextNode(e),createComment:e=>ut.createComment(e),setText:(e,t)=>{e.nodeValue=t},setElementText:(e,t)=>{e.textContent=t},parentNode:e=>e.parentNode,nextSibling:e=>e.nextSibling,querySelector:e=>ut.querySelector(e),setScopeId(e,t){e.setAttribute(t,"")},insertStaticContent(e,t,n,s,r,o){const i=n?n.previousSibling:t.lastChild;if(r&&(r===o||r.nextSibling))for(;t.insertBefore(r.cloneNode(!0),n),!(r===o||!(r=r.nextSibling)););else{ci.innerHTML=Ha(s==="svg"?`<svg>${e}</svg>`:s==="mathml"?`<math>${e}</math>`:e);const l=ci.content;if(s==="svg"||s==="mathml"){const a=l.firstChild;for(;a.firstChild;)l.appendChild(a.firstChild);l.removeChild(a)}t.insertBefore(l,n)}return[i?i.nextSibling:t.firstChild,n?n.previousSibling:t.lastChild]}},vt="transition",Cn="animation",Vn=Symbol("_vtc"),Ia={name:String,type:String,css:{type:Boolean,default:!0},duration:[String,Number,Object],enterFromClass:String,enterActiveClass:String,enterToClass:String,appearFromClass:String,appearActiveClass:String,appearToClass:String,leaveFromClass:String,leaveActiveClass:String,leaveToClass:String},jf=ve({},Wl,Ia),Ff=e=>(e.displayName="Transition",e.props=jf,e),La=Ff((e,{slots:t})=>He(Pu,Df(e),t)),$t=(e,t=[])=>{J(e)?e.forEach(n=>n(...t)):e&&e(...t)},ui=e=>e?J(e)?e.some(t=>t.length>1):e.length>1:!1;function Df(e){const t={};for(const O in e)O in Ia||(t[O]=e[O]);if(e.css===!1)return t;const{name:n="v",type:s,duration:r,enterFromClass:o=`${n}-enter-from`,enterActiveClass:i=`${n}-enter-active`,enterToClass:l=`${n}-enter-to`,appearFromClass:a=o,appearActiveClass:f=i,appearToClass:c=l,leaveFromClass:u=`${n}-leave-from`,leaveActiveClass:d=`${n}-leave-active`,leaveToClass:p=`${n}-leave-to`}=e,_=Uf(r),E=_&&_[0],k=_&&_[1],{onBeforeEnter:T,onEnter:w,onEnterCancelled:g,onLeave:y,onLeaveCancelled:v,onBeforeAppear:S=T,onAppear:H=w,onAppearCancelled:B=g}=t,I=(O,q,Z)=>{jt(O,q?c:l),jt(O,q?f:i),Z&&Z()},M=(O,q)=>{O._isLeaving=!1,jt(O,u),jt(O,p),jt(O,d),q&&q()},K=O=>(q,Z)=>{const ie=O?H:w,U=()=>I(q,O,Z);$t(ie,[q,U]),fi(()=>{jt(q,O?a:o),wt(q,O?c:l),ui(ie)||di(q,s,E,U)})};return ve(t,{onBeforeEnter(O){$t(T,[O]),wt(O,o),wt(O,i)},onBeforeAppear(O){$t(S,[O]),wt(O,a),wt(O,f)},onEnter:K(!1),onAppear:K(!0),onLeave(O,q){O._isLeaving=!0;const Z=()=>M(O,q);wt(O,u),wt(O,d),Wf(),fi(()=>{O._isLeaving&&(jt(O,u),wt(O,p),ui(y)||di(O,s,k,Z))}),$t(y,[O,Z])},onEnterCancelled(O){I(O,!1),$t(g,[O])},onAppearCancelled(O){I(O,!0),$t(B,[O])},onLeaveCancelled(O){M(O),$t(v,[O])}})}function Uf(e){if(e==null)return null;if(le(e))return[ir(e.enter),ir(e.leave)];{const t=ir(e);return[t,t]}}function ir(e){return ml(e)}function wt(e,t){t.split(/\s+/).forEach(n=>n&&e.classList.add(n)),(e[Vn]||(e[Vn]=new Set)).add(t)}function jt(e,t){t.split(/\s+/).forEach(s=>s&&e.classList.remove(s));const n=e[Vn];n&&(n.delete(t),n.size||(e[Vn]=void 0))}function fi(e){requestAnimationFrame(()=>{requestAnimationFrame(e)})}let Bf=0;function di(e,t,n,s){const r=e._endId=++Bf,o=()=>{r===e._endId&&s()};if(n)return setTimeout(o,n);const{type:i,timeout:l,propCount:a}=Vf(e,t);if(!i)return s();const f=i+"end";let c=0;const u=()=>{e.removeEventListener(f,d),o()},d=p=>{p.target===e&&++c>=a&&u()};setTimeout(()=>{c<a&&u()},l+1),e.addEventListener(f,d)}function Vf(e,t){const n=window.getComputedStyle(e),s=_=>(n[_]||"").split(", "),r=s(`${vt}Delay`),o=s(`${vt}Duration`),i=hi(r,o),l=s(`${Cn}Delay`),a=s(`${Cn}Duration`),f=hi(l,a);let c=null,u=0,d=0;t===vt?i>0&&(c=vt,u=i,d=o.length):t===Cn?f>0&&(c=Cn,u=f,d=a.length):(u=Math.max(i,f),c=u>0?i>f?vt:Cn:null,d=c?c===vt?o.length:a.length:0);const p=c===vt&&/\b(transform|all)(,|$)/.test(s(`${vt}Property`).toString());return{type:c,timeout:u,propCount:d,hasTransform:p}}function hi(e,t){for(;e.length<t.length;)e=e.concat(e);return Math.max(...t.map((n,s)=>pi(n)+pi(e[s])))}function pi(e){return e==="auto"?0:Number(e.slice(0,-1).replace(",","."))*1e3}function Wf(){return document.body.offsetHeight}function Kf(e,t,n){const s=e[Vn];s&&(t=(t?[t,...s]:[...s]).join(" ")),t==null?e.removeAttribute("class"):n?e.setAttribute("class",t):e.className=t}const ks=Symbol("_vod"),Na=Symbol("_vsh"),Om={beforeMount(e,{value:t},{transition:n}){e[ks]=e.style.display==="none"?"":e.style.display,n&&t?n.beforeEnter(e):Sn(e,t)},mounted(e,{value:t},{transition:n}){n&&t&&n.enter(e)},updated(e,{value:t,oldValue:n},{transition:s}){!t!=!n&&(s?t?(s.beforeEnter(e),Sn(e,!0),s.enter(e)):s.leave(e,()=>{Sn(e,!1)}):Sn(e,t))},beforeUnmount(e,{value:t}){Sn(e,t)}};function Sn(e,t){e.style.display=t?e[ks]:"none",e[Na]=!t}const qf=Symbol(""),Gf=/(^|;)\s*display\s*:/;function Jf(e,t,n){const s=e.style,r=he(n);let o=!1;if(n&&!r){if(t)if(he(t))for(const i of t.split(";")){const l=i.slice(0,i.indexOf(":")).trim();n[l]==null&&ps(s,l,"")}else for(const i in t)n[i]==null&&ps(s,i,"");for(const i in n)i==="display"&&(o=!0),ps(s,i,n[i])}else if(r){if(t!==n){const i=s[qf];i&&(n+=";"+i),s.cssText=n,o=Gf.test(n)}}else t&&e.removeAttribute("style");ks in e&&(e[ks]=o?s.display:"",e[Na]&&(s.display="none"))}const gi=/\s*!important$/;function ps(e,t,n){if(J(n))n.forEach(s=>ps(e,t,s));else if(n==null&&(n=""),t.startsWith("--"))e.setProperty(t,n);else{const s=zf(e,t);gi.test(n)?e.setProperty(Jt(s),n.replace(gi,""),"important"):e[s]=n}}const mi=["Webkit","Moz","ms"],lr={};function zf(e,t){const n=lr[t];if(n)return n;let s=Xe(t);if(s!=="filter"&&s in e)return lr[t]=s;s=Ns(s);for(let r=0;r<mi.length;r++){const o=mi[r]+s;if(o in e)return lr[t]=o}return t}const yi="http://www.w3.org/1999/xlink";function _i(e,t,n,s,r,o=Uc(t)){s&&t.startsWith("xlink:")?n==null?e.removeAttributeNS(yi,t.slice(6,t.length)):e.setAttributeNS(yi,t,n):n==null||o&&!_l(n)?e.removeAttribute(t):e.setAttribute(t,o?"":it(n)?String(n):n)}function Qf(e,t,n,s){if(t==="innerHTML"||t==="textContent"){n!=null&&(e[t]=t==="innerHTML"?Ha(n):n);return}const r=e.tagName;if(t==="value"&&r!=="PROGRESS"&&!r.includes("-")){const i=r==="OPTION"?e.getAttribute("value")||"":e.value,l=n==null?e.type==="checkbox"?"on":"":String(n);(i!==l||!("_value"in e))&&(e.value=l),n==null&&e.removeAttribute(t),e._value=n;return}let o=!1;if(n===""||n==null){const i=typeof e[t];i==="boolean"?n=_l(n):n==null&&i==="string"?(n="",o=!0):i==="number"&&(n=0,o=!0)}try{e[t]=n}catch{}o&&e.removeAttribute(t)}function dt(e,t,n,s){e.addEventListener(t,n,s)}function Xf(e,t,n,s){e.removeEventListener(t,n,s)}const bi=Symbol("_vei");function Yf(e,t,n,s,r=null){const o=e[bi]||(e[bi]={}),i=o[t];if(s&&i)i.value=s;else{const[l,a]=Zf(t);if(s){const f=o[t]=nd(s,r);dt(e,l,f,a)}else i&&(Xf(e,l,i,a),o[t]=void 0)}}const vi=/(?:Once|Passive|Capture)$/;function Zf(e){let t;if(vi.test(e)){t={};let s;for(;s=e.match(vi);)e=e.slice(0,e.length-s[0].length),t[s[0].toLowerCase()]=!0}return[e[2]===":"?e.slice(3):Jt(e.slice(2)),t]}let ar=0;const ed=Promise.resolve(),td=()=>ar||(ed.then(()=>ar=0),ar=Date.now());function nd(e,t){const n=s=>{if(!s._vts)s._vts=Date.now();else if(s._vts<=n.attached)return;Ye(sd(s,n.value),t,5,[s])};return n.value=e,n.attached=td(),n}function sd(e,t){if(J(t)){const n=e.stopImmediatePropagation;return e.stopImmediatePropagation=()=>{n.call(e),e._stopped=!0},t.map(s=>r=>!r._stopped&&s&&s(r))}else return t}const wi=e=>e.charCodeAt(0)===111&&e.charCodeAt(1)===110&&e.charCodeAt(2)>96&&e.charCodeAt(2)<123,rd=(e,t,n,s,r,o)=>{const i=r==="svg";t==="class"?Kf(e,s,i):t==="style"?Jf(e,n,s):qn(t)?Xr(t)||Yf(e,t,n,s,o):(t[0]==="."?(t=t.slice(1),!0):t[0]==="^"?(t=t.slice(1),!1):od(e,t,s,i))?(Qf(e,t,s),!e.tagName.includes("-")&&(t==="value"||t==="checked"||t==="selected")&&_i(e,t,s,i,o,t!=="value")):(t==="true-value"?e._trueValue=s:t==="false-value"&&(e._falseValue=s),_i(e,t,s,i))};function od(e,t,n,s){if(s)return!!(t==="innerHTML"||t==="textContent"||t in e&&wi(t)&&Q(n));if(t==="spellcheck"||t==="draggable"||t==="translate"||t==="form"||t==="list"&&e.tagName==="INPUT"||t==="type"&&e.tagName==="TEXTAREA")return!1;if(t==="width"||t==="height"){const r=e.tagName;if(r==="IMG"||r==="VIDEO"||r==="CANVAS"||r==="SOURCE")return!1}return wi(t)&&he(n)?!1:!!(t in e||e._isVueCE&&(/[A-Z]/.test(t)||!he(n)))}const Ot=e=>{const t=e.props["onUpdate:modelValue"]||!1;return J(t)?n=>cn(t,n):t};function id(e){e.target.composing=!0}function Ei(e){const t=e.target;t.composing&&(t.composing=!1,t.dispatchEvent(new Event("input")))}const Ke=Symbol("_assign"),Ti={created(e,{modifiers:{lazy:t,trim:n,number:s}},r){e[Ke]=Ot(r);const o=s||r.props&&r.props.type==="number";dt(e,t?"change":"input",i=>{if(i.target.composing)return;let l=e.value;n&&(l=l.trim()),o&&(l=_s(l)),e[Ke](l)}),n&&dt(e,"change",()=>{e.value=e.value.trim()}),t||(dt(e,"compositionstart",id),dt(e,"compositionend",Ei),dt(e,"change",Ei))},mounted(e,{value:t}){e.value=t??""},beforeUpdate(e,{value:t,oldValue:n,modifiers:{lazy:s,trim:r,number:o}},i){if(e[Ke]=Ot(i),e.composing)return;const l=(o||e.type==="number")&&!/^0\d/.test(e.value)?_s(e.value):e.value,a=t??"";l!==a&&(document.activeElement===e&&e.type!=="range"&&(s&&t===n||r&&e.value.trim()===a)||(e.value=a))}},ld={deep:!0,created(e,t,n){e[Ke]=Ot(n),dt(e,"change",()=>{const s=e._modelValue,r=yn(e),o=e.checked,i=e[Ke];if(J(s)){const l=eo(s,r),a=l!==-1;if(o&&!a)i(s.concat(r));else if(!o&&a){const f=[...s];f.splice(l,1),i(f)}}else if(vn(s)){const l=new Set(s);o?l.add(r):l.delete(r),i(l)}else i($a(e,o))})},mounted:Ri,beforeUpdate(e,t,n){e[Ke]=Ot(n),Ri(e,t,n)}};function Ri(e,{value:t,oldValue:n},s){e._modelValue=t;let r;J(t)?r=eo(t,s.props.value)>-1:vn(t)?r=t.has(s.props.value):r=Gt(t,$a(e,!0)),e.checked!==r&&(e.checked=r)}const ad={created(e,{value:t},n){e.checked=Gt(t,n.props.value),e[Ke]=Ot(n),dt(e,"change",()=>{e[Ke](yn(e))})},beforeUpdate(e,{value:t,oldValue:n},s){e[Ke]=Ot(s),t!==n&&(e.checked=Gt(t,s.props.value))}},cd={deep:!0,created(e,{value:t,modifiers:{number:n}},s){const r=vn(t);dt(e,"change",()=>{const o=Array.prototype.filter.call(e.options,i=>i.selected).map(i=>n?_s(yn(i)):yn(i));e[Ke](e.multiple?r?new Set(o):o:o[0]),e._assigning=!0,zt(()=>{e._assigning=!1})}),e[Ke]=Ot(s)},mounted(e,{value:t,modifiers:{number:n}}){Ci(e,t)},beforeUpdate(e,t,n){e[Ke]=Ot(n)},updated(e,{value:t,modifiers:{number:n}}){e._assigning||Ci(e,t)}};function Ci(e,t,n){const s=e.multiple,r=J(t);if(!(s&&!r&&!vn(t))){for(let o=0,i=e.options.length;o<i;o++){const l=e.options[o],a=yn(l);if(s)if(r){const f=typeof a;f==="string"||f==="number"?l.selected=t.some(c=>String(c)===String(a)):l.selected=eo(t,a)>-1}else l.selected=t.has(a);else if(Gt(yn(l),t)){e.selectedIndex!==o&&(e.selectedIndex=o);return}}!s&&e.selectedIndex!==-1&&(e.selectedIndex=-1)}}function yn(e){return"_value"in e?e._value:e.value}function $a(e,t){const n=t?"_trueValue":"_falseValue";return n in e?e[n]:t}const Mm={created(e,t,n){cs(e,t,n,null,"created")},mounted(e,t,n){cs(e,t,n,null,"mounted")},beforeUpdate(e,t,n,s){cs(e,t,n,s,"beforeUpdate")},updated(e,t,n,s){cs(e,t,n,s,"updated")}};function ud(e,t){switch(e){case"SELECT":return cd;case"TEXTAREA":return Ti;default:switch(t){case"checkbox":return ld;case"radio":return ad;default:return Ti}}}function cs(e,t,n,s,r){const i=ud(e.tagName,n.props&&n.props.type)[r];i&&i(e,t,n,s)}const ja=ve({patchProp:rd},$f);let Hn,Si=!1;function fd(){return Hn||(Hn=lf(ja))}function dd(){return Hn=Si?Hn:af(ja),Si=!0,Hn}const hd=(...e)=>{const t=fd().createApp(...e),{mount:n}=t;return t.mount=s=>{const r=Da(s);if(!r)return;const o=t._component;!Q(o)&&!o.render&&!o.template&&(o.template=r.innerHTML),r.nodeType===1&&(r.textContent="");const i=n(r,!1,Fa(r));return r instanceof Element&&(r.removeAttribute("v-cloak"),r.setAttribute("data-v-app","")),i},t},pd=(...e)=>{const t=dd().createApp(...e),{mount:n}=t;return t.mount=s=>{const r=Da(s);if(r)return n(r,!0,Fa(r))},t};function Fa(e){if(e instanceof SVGElement)return"svg";if(typeof MathMLElement=="function"&&e instanceof MathMLElement)return"mathml"}function Da(e){return he(e)?document.querySelector(e):e}const gd=/"(?:_|\\u0{2}5[Ff]){2}(?:p|\\u0{2}70)(?:r|\\u0{2}72)(?:o|\\u0{2}6[Ff])(?:t|\\u0{2}74)(?:o|\\u0{2}6[Ff])(?:_|\\u0{2}5[Ff]){2}"\s*:/,md=/"(?:c|\\u0063)(?:o|\\u006[Ff])(?:n|\\u006[Ee])(?:s|\\u0073)(?:t|\\u0074)(?:r|\\u0072)(?:u|\\u0075)(?:c|\\u0063)(?:t|\\u0074)(?:o|\\u006[Ff])(?:r|\\u0072)"\s*:/,yd=/^\s*["[{]|^\s*-?\d{1,16}(\.\d{1,17})?([Ee][+-]?\d+)?\s*$/;function _d(e,t){if(e==="__proto__"||e==="constructor"&&t&&typeof t=="object"&&"prototype"in t){bd(e);return}return t}function bd(e){console.warn(`[destr] Dropping "${e}" key to prevent prototype pollution.`)}function Ps(e,t={}){if(typeof e!="string")return e;const n=e.trim();if(e[0]==='"'&&e.endsWith('"')&&!e.includes("\\"))return n.slice(1,-1);if(n.length<=9){const s=n.toLowerCase();if(s==="true")return!0;if(s==="false")return!1;if(s==="undefined")return;if(s==="null")return null;if(s==="nan")return Number.NaN;if(s==="infinity")return Number.POSITIVE_INFINITY;if(s==="-infinity")return Number.NEGATIVE_INFINITY}if(!yd.test(e)){if(t.strict)throw new SyntaxError("[destr] Invalid JSON");return e}try{if(gd.test(e)||md.test(e)){if(t.strict)throw new Error("[destr] Possible prototype pollution");return JSON.parse(e,_d)}return JSON.parse(e)}catch(s){if(t.strict)throw s;return e}}const vd=/#/g,wd=/&/g,Ed=/\//g,Td=/=/g,Ro=/\+/g,Rd=/%5e/gi,Cd=/%60/gi,Sd=/%7c/gi,xd=/%20/gi;function kd(e){return encodeURI(""+e).replace(Sd,"|")}function Ar(e){return kd(typeof e=="string"?e:JSON.stringify(e)).replace(Ro,"%2B").replace(xd,"+").replace(vd,"%23").replace(wd,"%26").replace(Cd,"`").replace(Rd,"^").replace(Ed,"%2F")}function cr(e){return Ar(e).replace(Td,"%3D")}function As(e=""){try{return decodeURIComponent(""+e)}catch{return""+e}}function Pd(e){return As(e.replace(Ro," "))}function Ad(e){return As(e.replace(Ro," "))}function Od(e=""){const t={};e[0]==="?"&&(e=e.slice(1));for(const n of e.split("&")){const s=n.match(/([^=]+)=?(.*)/)||[];if(s.length<2)continue;const r=Pd(s[1]);if(r==="__proto__"||r==="constructor")continue;const o=Ad(s[2]||"");t[r]===void 0?t[r]=o:Array.isArray(t[r])?t[r].push(o):t[r]=[t[r],o]}return t}function Md(e,t){return(typeof t=="number"||typeof t=="boolean")&&(t=String(t)),t?Array.isArray(t)?t.map(n=>`${cr(e)}=${Ar(n)}`).join("&"):`${cr(e)}=${Ar(t)}`:cr(e)}function Hd(e){return Object.keys(e).filter(t=>e[t]!==void 0).map(t=>Md(t,e[t])).filter(Boolean).join("&")}const Id=/^[\s\w\0+.-]{2,}:([/\\]{1,2})/,Ld=/^[\s\w\0+.-]{2,}:([/\\]{2})?/,Nd=/^([/\\]\s*){2,}[^/\\]/,$d=/^[\s\0]*(blob|data|javascript|vbscript):$/i,jd=/\/$|\/\?|\/#/,Fd=/^\.?\//;function Qt(e,t={}){return typeof t=="boolean"&&(t={acceptRelative:t}),t.strict?Id.test(e):Ld.test(e)||(t.acceptRelative?Nd.test(e):!1)}function Dd(e){return!!e&&$d.test(e)}function Or(e="",t){return t?jd.test(e):e.endsWith("/")}function Co(e="",t){if(!t)return(Or(e)?e.slice(0,-1):e)||"/";if(!Or(e,!0))return e||"/";let n=e,s="";const r=e.indexOf("#");r>=0&&(n=e.slice(0,r),s=e.slice(r));const[o,...i]=n.split("?");return((o.endsWith("/")?o.slice(0,-1):o)||"/")+(i.length>0?`?${i.join("?")}`:"")+s}function Mr(e="",t){if(!t)return e.endsWith("/")?e:e+"/";if(Or(e,!0))return e||"/";let n=e,s="";const r=e.indexOf("#");if(r>=0&&(n=e.slice(0,r),s=e.slice(r),!n))return s;const[o,...i]=n.split("?");return o+"/"+(i.length>0?`?${i.join("?")}`:"")+s}function Ud(e=""){return e.startsWith("/")}function xi(e=""){return Ud(e)?e:"/"+e}function Bd(e,t){if(Ba(t)||Qt(e))return e;const n=Co(t);return e.startsWith(n)?e:So(n,e)}function ki(e,t){if(Ba(t))return e;const n=Co(t);if(!e.startsWith(n))return e;const s=e.slice(n.length);return s[0]==="/"?s:"/"+s}function Ua(e,t){const n=Kd(e),s={...Od(n.search),...t};return n.search=Hd(s),qd(n)}function Ba(e){return!e||e==="/"}function Vd(e){return e&&e!=="/"}function So(e,...t){let n=e||"";for(const s of t.filter(r=>Vd(r)))if(n){const r=s.replace(Fd,"");n=Mr(n)+r}else n=s;return n}function Va(...e){var i,l,a,f;const t=/\/(?!\/)/,n=e.filter(Boolean),s=[];let r=0;for(const c of n)if(!(!c||c==="/")){for(const[u,d]of c.split(t).entries())if(!(!d||d===".")){if(d===".."){if(s.length===1&&Qt(s[0]))continue;s.pop(),r--;continue}if(u===1&&((i=s[s.length-1])!=null&&i.endsWith(":/"))){s[s.length-1]+="/"+d;continue}s.push(d),r++}}let o=s.join("/");return r>=0?(l=n[0])!=null&&l.startsWith("/")&&!o.startsWith("/")?o="/"+o:(a=n[0])!=null&&a.startsWith("./")&&!o.startsWith("./")&&(o="./"+o):o="../".repeat(-1*r)+o,(f=n[n.length-1])!=null&&f.endsWith("/")&&!o.endsWith("/")&&(o+="/"),o}function Wd(e,t,n={}){return n.trailingSlash||(e=Mr(e),t=Mr(t)),n.leadingSlash||(e=xi(e),t=xi(t)),n.encoding||(e=As(e),t=As(t)),e===t}const Wa=Symbol.for("ufo:protocolRelative");function Kd(e="",t){const n=e.match(/^[\s\0]*(blob:|data:|javascript:|vbscript:)(.*)/i);if(n){const[,u,d=""]=n;return{protocol:u.toLowerCase(),pathname:d,href:u+d,auth:"",host:"",search:"",hash:""}}if(!Qt(e,{acceptRelative:!0}))return Pi(e);const[,s="",r,o=""]=e.replace(/\\/g,"/").match(/^[\s\0]*([\w+.-]{2,}:)?\/\/([^/@]+@)?(.*)/)||[];let[,i="",l=""]=o.match(/([^#/?]*)(.*)?/)||[];s==="file:"&&(l=l.replace(/\/(?=[A-Za-z]:)/,""));const{pathname:a,search:f,hash:c}=Pi(l);return{protocol:s.toLowerCase(),auth:r?r.slice(0,Math.max(0,r.length-1)):"",host:i,pathname:a,search:f,hash:c,[Wa]:!s}}function Pi(e=""){const[t="",n="",s=""]=(e.match(/([^#?]*)(\?[^#]*)?(#.*)?/)||[]).splice(1);return{pathname:t,search:n,hash:s}}function qd(e){const t=e.pathname||"",n=e.search?(e.search.startsWith("?")?"":"?")+e.search:"",s=e.hash||"",r=e.auth?e.auth+"@":"",o=e.host||"";return(e.protocol||e[Wa]?(e.protocol||"")+"//":"")+r+o+t+n+s}class Gd extends Error{constructor(t,n){super(t,n),this.name="FetchError",n!=null&&n.cause&&!this.cause&&(this.cause=n.cause)}}function Jd(e){var a,f,c,u,d;const t=((a=e.error)==null?void 0:a.message)||((f=e.error)==null?void 0:f.toString())||"",n=((c=e.request)==null?void 0:c.method)||((u=e.options)==null?void 0:u.method)||"GET",s=((d=e.request)==null?void 0:d.url)||String(e.request)||"/",r=`[${n}] ${JSON.stringify(s)}`,o=e.response?`${e.response.status} ${e.response.statusText}`:"<no response>",i=`${r}: ${o}${t?` ${t}`:""}`,l=new Gd(i,e.error?{cause:e.error}:void 0);for(const p of["request","options","response"])Object.defineProperty(l,p,{get(){return e[p]}});for(const[p,_]of[["data","_data"],["status","status"],["statusCode","status"],["statusText","statusText"],["statusMessage","statusText"]])Object.defineProperty(l,p,{get(){return e.response&&e.response[_]}});return l}const zd=new Set(Object.freeze(["PATCH","POST","PUT","DELETE"]));function Ai(e="GET"){return zd.has(e.toUpperCase())}function Qd(e){if(e===void 0)return!1;const t=typeof e;return t==="string"||t==="number"||t==="boolean"||t===null?!0:t!=="object"?!1:Array.isArray(e)?!0:e.buffer?!1:e.constructor&&e.constructor.name==="Object"||typeof e.toJSON=="function"}const Xd=new Set(["image/svg","application/xml","application/xhtml","application/html"]),Yd=/^application\/(?:[\w!#$%&*.^`~-]*\+)?json(;.+)?$/i;function Zd(e=""){if(!e)return"json";const t=e.split(";").shift()||"";return Yd.test(t)?"json":Xd.has(t)||t.startsWith("text/")?"text":"blob"}function eh(e,t,n=globalThis.Headers){const s={...t,...e};if(t!=null&&t.params&&(e!=null&&e.params)&&(s.params={...t==null?void 0:t.params,...e==null?void 0:e.params}),t!=null&&t.query&&(e!=null&&e.query)&&(s.query={...t==null?void 0:t.query,...e==null?void 0:e.query}),t!=null&&t.headers&&(e!=null&&e.headers)){s.headers=new n((t==null?void 0:t.headers)||{});for(const[r,o]of new n((e==null?void 0:e.headers)||{}))s.headers.set(r,o)}return s}const th=new Set([408,409,425,429,500,502,503,504]),nh=new Set([101,204,205,304]);function Ka(e={}){const{fetch:t=globalThis.fetch,Headers:n=globalThis.Headers,AbortController:s=globalThis.AbortController}=e;async function r(l){const a=l.error&&l.error.name==="AbortError"&&!l.options.timeout||!1;if(l.options.retry!==!1&&!a){let c;typeof l.options.retry=="number"?c=l.options.retry:c=Ai(l.options.method)?0:1;const u=l.response&&l.response.status||500;if(c>0&&(Array.isArray(l.options.retryStatusCodes)?l.options.retryStatusCodes.includes(u):th.has(u))){const d=l.options.retryDelay||0;return d>0&&await new Promise(p=>setTimeout(p,d)),o(l.request,{...l.options,retry:c-1})}}const f=Jd(l);throw Error.captureStackTrace&&Error.captureStackTrace(f,o),f}const o=async function(a,f={}){var p;const c={request:a,options:eh(f,e.defaults,n),response:void 0,error:void 0};c.options.method=(p=c.options.method)==null?void 0:p.toUpperCase(),c.options.onRequest&&await c.options.onRequest(c),typeof c.request=="string"&&(c.options.baseURL&&(c.request=Bd(c.request,c.options.baseURL)),(c.options.query||c.options.params)&&(c.request=Ua(c.request,{...c.options.params,...c.options.query}))),c.options.body&&Ai(c.options.method)&&(Qd(c.options.body)?(c.options.body=typeof c.options.body=="string"?c.options.body:JSON.stringify(c.options.body),c.options.headers=new n(c.options.headers||{}),c.options.headers.has("content-type")||c.options.headers.set("content-type","application/json"),c.options.headers.has("accept")||c.options.headers.set("accept","application/json")):("pipeTo"in c.options.body&&typeof c.options.body.pipeTo=="function"||typeof c.options.body.pipe=="function")&&("duplex"in c.options||(c.options.duplex="half")));let u;if(!c.options.signal&&c.options.timeout){const _=new s;u=setTimeout(()=>_.abort(),c.options.timeout),c.options.signal=_.signal}try{c.response=await t(c.request,c.options)}catch(_){return c.error=_,c.options.onRequestError&&await c.options.onRequestError(c),await r(c)}finally{u&&clearTimeout(u)}if(c.response.body&&!nh.has(c.response.status)&&c.options.method!=="HEAD"){const _=(c.options.parseResponse?"json":c.options.responseType)||Zd(c.response.headers.get("content-type")||"");switch(_){case"json":{const E=await c.response.text(),k=c.options.parseResponse||Ps;c.response._data=k(E);break}case"stream":{c.response._data=c.response.body;break}default:c.response._data=await c.response[_]()}}return c.options.onResponse&&await c.options.onResponse(c),!c.options.ignoreResponseError&&c.response.status>=400&&c.response.status<600?(c.options.onResponseError&&await c.options.onResponseError(c),await r(c)):c.response},i=async function(a,f){return(await o(a,f))._data};return i.raw=o,i.native=(...l)=>t(...l),i.create=(l={})=>Ka({...e,defaults:{...e.defaults,...l}}),i}const xo=function(){if(typeof globalThis<"u")return globalThis;if(typeof self<"u")return self;if(typeof window<"u")return window;if(typeof global<"u")return global;throw new Error("unable to locate global object")}(),sh=xo.fetch||(()=>Promise.reject(new Error("[ofetch] global.fetch is not supported!"))),rh=xo.Headers,oh=xo.AbortController,ih=Ka({fetch:sh,Headers:rh,AbortController:oh}),lh=ih,ah=()=>{var e;return((e=window==null?void 0:window.__NUXT__)==null?void 0:e.config)||{}},Os=ah().app,ch=()=>Os.baseURL,uh=()=>Os.buildAssetsDir,ko=(...e)=>Va(qa(),uh(),...e),qa=(...e)=>{const t=Os.cdnURL||Os.baseURL;return e.length?Va(t,...e):t};globalThis.__buildAssetsURL=ko,globalThis.__publicAssetsURL=qa;globalThis.$fetch||(globalThis.$fetch=lh.create({baseURL:ch()}));function Hr(e,t={},n){for(const s in e){const r=e[s],o=n?`${n}:${s}`:s;typeof r=="object"&&r!==null?Hr(r,t,o):typeof r=="function"&&(t[o]=r)}return t}const fh={run:e=>e()},dh=()=>fh,Ga=typeof console.createTask<"u"?console.createTask:dh;function hh(e,t){const n=t.shift(),s=Ga(n);return e.reduce((r,o)=>r.then(()=>s.run(()=>o(...t))),Promise.resolve())}function ph(e,t){const n=t.shift(),s=Ga(n);return Promise.all(e.map(r=>s.run(()=>r(...t))))}function ur(e,t){for(const n of[...e])n(t)}class gh{constructor(){this._hooks={},this._before=void 0,this._after=void 0,this._deprecatedMessages=void 0,this._deprecatedHooks={},this.hook=this.hook.bind(this),this.callHook=this.callHook.bind(this),this.callHookWith=this.callHookWith.bind(this)}hook(t,n,s={}){if(!t||typeof n!="function")return()=>{};const r=t;let o;for(;this._deprecatedHooks[t];)o=this._deprecatedHooks[t],t=o.to;if(o&&!s.allowDeprecated){let i=o.message;i||(i=`${r} hook has been deprecated`+(o.to?`, please use ${o.to}`:"")),this._deprecatedMessages||(this._deprecatedMessages=new Set),this._deprecatedMessages.has(i)||(console.warn(i),this._deprecatedMessages.add(i))}if(!n.name)try{Object.defineProperty(n,"name",{get:()=>"_"+t.replace(/\W+/g,"_")+"_hook_cb",configurable:!0})}catch{}return this._hooks[t]=this._hooks[t]||[],this._hooks[t].push(n),()=>{n&&(this.removeHook(t,n),n=void 0)}}hookOnce(t,n){let s,r=(...o)=>(typeof s=="function"&&s(),s=void 0,r=void 0,n(...o));return s=this.hook(t,r),s}removeHook(t,n){if(this._hooks[t]){const s=this._hooks[t].indexOf(n);s!==-1&&this._hooks[t].splice(s,1),this._hooks[t].length===0&&delete this._hooks[t]}}deprecateHook(t,n){this._deprecatedHooks[t]=typeof n=="string"?{to:n}:n;const s=this._hooks[t]||[];delete this._hooks[t];for(const r of s)this.hook(t,r)}deprecateHooks(t){Object.assign(this._deprecatedHooks,t);for(const n in t)this.deprecateHook(n,t[n])}addHooks(t){const n=Hr(t),s=Object.keys(n).map(r=>this.hook(r,n[r]));return()=>{for(const r of s.splice(0,s.length))r()}}removeHooks(t){const n=Hr(t);for(const s in n)this.removeHook(s,n[s])}removeAllHooks(){for(const t in this._hooks)delete this._hooks[t]}callHook(t,...n){return n.unshift(t),this.callHookWith(hh,t,...n)}callHookParallel(t,...n){return n.unshift(t),this.callHookWith(ph,t,...n)}callHookWith(t,n,...s){const r=this._before||this._after?{name:n,args:s,context:{}}:void 0;this._before&&ur(this._before,r);const o=t(n in this._hooks?[...this._hooks[n]]:[],s);return o instanceof Promise?o.finally(()=>{this._after&&r&&ur(this._after,r)}):(this._after&&r&&ur(this._after,r),o)}beforeEach(t){return this._before=this._before||[],this._before.push(t),()=>{if(this._before!==void 0){const n=this._before.indexOf(t);n!==-1&&this._before.splice(n,1)}}}afterEach(t){return this._after=this._after||[],this._after.push(t),()=>{if(this._after!==void 0){const n=this._after.indexOf(t);n!==-1&&this._after.splice(n,1)}}}}function Ja(){return new gh}function mh(e={}){let t,n=!1;const s=i=>{if(t&&t!==i)throw new Error("Context conflict")};let r;if(e.asyncContext){const i=e.AsyncLocalStorage||globalThis.AsyncLocalStorage;i?r=new i:console.warn("[unctx] `AsyncLocalStorage` is not provided.")}const o=()=>{if(r&&t===void 0){const i=r.getStore();if(i!==void 0)return i}return t};return{use:()=>{const i=o();if(i===void 0)throw new Error("Context is not available");return i},tryUse:()=>o(),set:(i,l)=>{l||s(i),t=i,n=!0},unset:()=>{t=void 0,n=!1},call:(i,l)=>{s(i),t=i;try{return r?r.run(i,l):l()}finally{n||(t=void 0)}},async callAsync(i,l){t=i;const a=()=>{t=i},f=()=>t===i?a:void 0;Ir.add(f);try{const c=r?r.run(i,l):l();return n||(t=void 0),await c}finally{Ir.delete(f)}}}}function yh(e={}){const t={};return{get(n,s={}){return t[n]||(t[n]=mh({...e,...s})),t[n],t[n]}}}const Ms=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof global<"u"?global:typeof window<"u"?window:{},Oi="__unctx__",_h=Ms[Oi]||(Ms[Oi]=yh()),bh=(e,t={})=>_h.get(e,t),Mi="__unctx_async_handlers__",Ir=Ms[Mi]||(Ms[Mi]=new Set);function hn(e){const t=[];for(const r of Ir){const o=r();o&&t.push(o)}const n=()=>{for(const r of t)r()};let s=e();return s&&typeof s=="object"&&"catch"in s&&(s=s.catch(r=>{throw n(),r})),[s,n]}const vh=!1,Lr=!1,wh=!1,Hm={componentName:"NuxtLink",prefetch:!0,prefetchOn:{visibility:!0}},Eh=null,Th="#__nuxt",za="nuxt-app",Hi=36e5,Rh="vite:preloadError";function Qa(e=za){return bh(e,{asyncContext:!1})}const Ch="__nuxt_plugin";function Sh(e){var r;let t=0;const n={_id:e.id||za||"nuxt-app",_scope:Wc(),provide:void 0,globalName:"nuxt",versions:{get nuxt(){return"3.13.2"},get vue(){return n.vueApp.version}},payload:ht({...((r=e.ssrContext)==null?void 0:r.payload)||{},data:ht({}),state:It({}),once:new Set,_errors:ht({})}),static:{data:{}},runWithContext(o){return n._scope.active&&!El()?n._scope.run(()=>Ii(n,o)):Ii(n,o)},isHydrating:!0,deferHydration(){if(!n.isHydrating)return()=>{};t++;let o=!1;return()=>{if(!o&&(o=!0,t--,t===0))return n.isHydrating=!1,n.callHook("app:suspense:resolve")}},_asyncDataPromises:{},_asyncData:ht({}),_payloadRevivers:{},...e};{const o=window.__NUXT__;if(o)for(const i in o)switch(i){case"data":case"state":case"_errors":Object.assign(n.payload[i],o[i]);break;default:n.payload[i]=o[i]}}n.hooks=Ja(),n.hook=n.hooks.hook,n.callHook=n.hooks.callHook,n.provide=(o,i)=>{const l="$"+o;us(n,l,i),us(n.vueApp.config.globalProperties,l,i)},us(n.vueApp,"$nuxt",n),us(n.vueApp.config.globalProperties,"$nuxt",n);{window.addEventListener(Rh,i=>{n.callHook("app:chunkError",{error:i.payload}),(n.isHydrating||i.payload.message.includes("Unable to preload CSS"))&&i.preventDefault()}),window.useNuxtApp=window.useNuxtApp||ge;const o=n.hook("app:error",(...i)=>{console.error("[nuxt] error caught during app initialization",...i)});n.hook("app:mounted",o)}const s=n.payload.config;return n.provide("config",s),n}function xh(e,t){t.hooks&&e.hooks.addHooks(t.hooks)}async function kh(e,t){if(typeof t=="function"){const{provide:n}=await e.runWithContext(()=>t(e))||{};if(n&&typeof n=="object")for(const s in n)e.provide(s,n[s])}}async function Ph(e,t){const n=[],s=[],r=[],o=[];let i=0;async function l(a){var c;const f=((c=a.dependsOn)==null?void 0:c.filter(u=>t.some(d=>d._name===u)&&!n.includes(u)))??[];if(f.length>0)s.push([new Set(f),a]);else{const u=kh(e,a).then(async()=>{a._name&&(n.push(a._name),await Promise.all(s.map(async([d,p])=>{d.has(a._name)&&(d.delete(a._name),d.size===0&&(i++,await l(p)))})))});a.parallel?r.push(u.catch(d=>o.push(d))):await u}}for(const a of t)xh(e,a);for(const a of t)await l(a);if(await Promise.all(r),i)for(let a=0;a<i;a++)await Promise.all(r);if(o.length)throw o[0]}function lt(e){if(typeof e=="function")return e;const t=e._name||e.name;return delete e.name,Object.assign(e.setup||(()=>{}),e,{[Ch]:!0,_name:t})}function Ii(e,t,n){const s=()=>t();return Qa(e._id).set(e),e.vueApp.runWithContext(s)}function Ah(e){var n;let t;return oa()&&(t=(n=To())==null?void 0:n.appContext.app.$nuxt),t=t||Qa(e).tryUse(),t||null}function ge(e){const t=Ah(e);if(!t)throw new Error("[nuxt] instance unavailable");return t}function Ws(e){return ge().$config}function us(e,t,n){Object.defineProperty(e,t,{get:()=>n})}function Oh(e,t){return{ctx:{table:e},matchAll:n=>Ya(n,e)}}function Xa(e){const t={};for(const n in e)t[n]=n==="dynamic"?new Map(Object.entries(e[n]).map(([s,r])=>[s,Xa(r)])):new Map(Object.entries(e[n]));return t}function Mh(e){return Oh(Xa(e))}function Ya(e,t,n){e.endsWith("/")&&(e=e.slice(0,-1)||"/");const s=[];for(const[o,i]of Li(t.wildcard))(e===o||e.startsWith(o+"/"))&&s.push(i);for(const[o,i]of Li(t.dynamic))if(e.startsWith(o+"/")){const l="/"+e.slice(o.length).split("/").splice(2).join("/");s.push(...Ya(l,i))}const r=t.static.get(e);return r&&s.push(r),s.filter(Boolean)}function Li(e){return[...e.entries()].sort((t,n)=>t[0].length-n[0].length)}function fr(e){if(e===null||typeof e!="object")return!1;const t=Object.getPrototypeOf(e);return t!==null&&t!==Object.prototype&&Object.getPrototypeOf(t)!==null||Symbol.iterator in e?!1:Symbol.toStringTag in e?Object.prototype.toString.call(e)==="[object Module]":!0}function Nr(e,t,n=".",s){if(!fr(t))return Nr(e,{},n,s);const r=Object.assign({},t);for(const o in e){if(o==="__proto__"||o==="constructor")continue;const i=e[o];i!=null&&(s&&s(r,o,i,n)||(Array.isArray(i)&&Array.isArray(r[o])?r[o]=[...i,...r[o]]:fr(i)&&fr(r[o])?r[o]=Nr(i,r[o],(n?`${n}.`:"")+o.toString(),s):r[o]=i))}return r}function Hh(e){return(...t)=>t.reduce((n,s)=>Nr(n,s,"",e),{})}const Za=Hh();function Ih(e,t){try{return t in e}catch{return!1}}var Lh=Object.defineProperty,Nh=(e,t,n)=>t in e?Lh(e,t,{enumerable:!0,configurable:!0,writable:!0,value:n}):e[t]=n,Ut=(e,t,n)=>(Nh(e,typeof t!="symbol"?t+"":t,n),n);class $r extends Error{constructor(t,n={}){super(t,n),Ut(this,"statusCode",500),Ut(this,"fatal",!1),Ut(this,"unhandled",!1),Ut(this,"statusMessage"),Ut(this,"data"),Ut(this,"cause"),n.cause&&!this.cause&&(this.cause=n.cause)}toJSON(){const t={message:this.message,statusCode:Fr(this.statusCode,500)};return this.statusMessage&&(t.statusMessage=ec(this.statusMessage)),this.data!==void 0&&(t.data=this.data),t}}Ut($r,"__h3_error__",!0);function jr(e){if(typeof e=="string")return new $r(e);if($h(e))return e;const t=new $r(e.message??e.statusMessage??"",{cause:e.cause||e});if(Ih(e,"stack"))try{Object.defineProperty(t,"stack",{get(){return e.stack}})}catch{try{t.stack=e.stack}catch{}}if(e.data&&(t.data=e.data),e.statusCode?t.statusCode=Fr(e.statusCode,t.statusCode):e.status&&(t.statusCode=Fr(e.status,t.statusCode)),e.statusMessage?t.statusMessage=e.statusMessage:e.statusText&&(t.statusMessage=e.statusText),t.statusMessage){const n=t.statusMessage;ec(t.statusMessage)!==n&&console.warn("[h3] Please prefer using `message` for longer error messages instead of `statusMessage`. In the future, `statusMessage` will be sanitized by default.")}return e.fatal!==void 0&&(t.fatal=e.fatal),e.unhandled!==void 0&&(t.unhandled=e.unhandled),t}function $h(e){var t;return((t=e==null?void 0:e.constructor)==null?void 0:t.__h3_error__)===!0}const jh=/[^\u0009\u0020-\u007E]/g;function ec(e=""){return e.replace(jh,"")}function Fr(e,t=200){return!e||(typeof e=="string"&&(e=Number.parseInt(e,10)),e<100||e>999)?t:e}const tc=Symbol("layout-meta"),Xn=Symbol("route"),qe=()=>{var e;return(e=ge())==null?void 0:e.$router},Po=()=>oa()?Pe(Xn,ge()._route):ge()._route;const Fh=()=>{try{if(ge()._processingMiddleware)return!0}catch{return!1}return!1},Im=(e,t)=>{e||(e="/");const n=typeof e=="string"?e:"path"in e?Dh(e):qe().resolve(e).href;if(t!=null&&t.open){const{target:a="_blank",windowFeatures:f={}}=t.open,c=Object.entries(f).filter(([u,d])=>d!==void 0).map(([u,d])=>`${u.toLowerCase()}=${d}`).join(", ");return open(n,a,c),Promise.resolve()}const s=Qt(n,{acceptRelative:!0}),r=(t==null?void 0:t.external)||s;if(r){if(!(t!=null&&t.external))throw new Error("Navigating to an external URL is not allowed by default. Use `navigateTo(url, { external: true })`.");const{protocol:a}=new URL(n,window.location.href);if(a&&Dd(a))throw new Error(`Cannot navigate to a URL with '${a}' protocol.`)}const o=Fh();if(!r&&o)return e;const i=qe(),l=ge();return r?(l._scope.stop(),t!=null&&t.replace?location.replace(n):location.href=n,o?l.isHydrating?new Promise(()=>{}):!1:Promise.resolve()):t!=null&&t.replace?i.replace(e):i.push(e)};function Dh(e){return Ua(e.path||"",e.query||{})+(e.hash||"")}const nc="__nuxt_error",Ks=()=>_u(ge().payload,"error"),rn=e=>{const t=qs(e);try{const n=ge(),s=Ks();n.hooks.callHook("app:error",t),s.value=s.value||t}catch{throw t}return t},Uh=async(e={})=>{const t=ge(),n=Ks();t.callHook("app:error:cleared",e),e.redirect&&await qe().replace(e.redirect),n.value=Eh},Bh=e=>!!e&&typeof e=="object"&&nc in e,qs=e=>{const t=jr(e);return Object.defineProperty(t,nc,{value:!0,configurable:!1,writable:!1}),t},Vh=-1,Wh=-2,Kh=-3,qh=-4,Gh=-5,Jh=-6;function zh(e,t){return Qh(JSON.parse(e),t)}function Qh(e,t){if(typeof e=="number")return r(e,!0);if(!Array.isArray(e)||e.length===0)throw new Error("Invalid input");const n=e,s=Array(n.length);function r(o,i=!1){if(o===Vh)return;if(o===Kh)return NaN;if(o===qh)return 1/0;if(o===Gh)return-1/0;if(o===Jh)return-0;if(i)throw new Error("Invalid input");if(o in s)return s[o];const l=n[o];if(!l||typeof l!="object")s[o]=l;else if(Array.isArray(l))if(typeof l[0]=="string"){const a=l[0],f=t==null?void 0:t[a];if(f)return s[o]=f(r(l[1]));switch(a){case"Date":s[o]=new Date(l[1]);break;case"Set":const c=new Set;s[o]=c;for(let p=1;p<l.length;p+=1)c.add(r(l[p]));break;case"Map":const u=new Map;s[o]=u;for(let p=1;p<l.length;p+=2)u.set(r(l[p]),r(l[p+1]));break;case"RegExp":s[o]=new RegExp(l[1],l[2]);break;case"Object":s[o]=Object(l[1]);break;case"BigInt":s[o]=BigInt(l[1]);break;case"null":const d=Object.create(null);s[o]=d;for(let p=1;p<l.length;p+=2)d[l[p]]=r(l[p+1]);break;default:throw new Error(`Unknown type ${a}`)}}else{const a=new Array(l.length);s[o]=a;for(let f=0;f<l.length;f+=1){const c=l[f];c!==Wh&&(a[f]=r(c))}}else{const a={};s[o]=a;for(const f in l){const c=l[f];a[f]=r(c)}}return s[o]}return r(0)}const Xh=new Set(["title","titleTemplate","script","style","noscript"]),gs=new Set(["base","meta","link","style","script","noscript"]),Yh=new Set(["title","titleTemplate","templateParams","base","htmlAttrs","bodyAttrs","meta","link","style","script","noscript"]),Zh=new Set(["base","title","titleTemplate","bodyAttrs","htmlAttrs","templateParams"]),sc=new Set(["tagPosition","tagPriority","tagDuplicateStrategy","children","innerHTML","textContent","processTemplateParams"]),ep=typeof window<"u";function Hs(e){let t=9;for(let n=0;n<e.length;)t=Math.imul(t^e.charCodeAt(n++),9**9);return((t^t>>>9)+65536).toString(16).substring(1,8).toLowerCase()}function Dr(e){if(e._h)return e._h;if(e._d)return Hs(e._d);let t=`${e.tag}:${e.textContent||e.innerHTML||""}:`;for(const n in e.props)t+=`${n}:${String(e.props[n])},`;return Hs(t)}function tp(e,t){return e instanceof Promise?e.then(t):t(e)}function Ur(e,t,n,s){const r=s||oc(typeof t=="object"&&typeof t!="function"&&!(t instanceof Promise)?{...t}:{[e==="script"||e==="noscript"||e==="style"?"innerHTML":"textContent"]:t},e==="templateParams"||e==="titleTemplate");if(r instanceof Promise)return r.then(i=>Ur(e,t,n,i));const o={tag:e,props:r};for(const i of sc){const l=o.props[i]!==void 0?o.props[i]:n[i];l!==void 0&&((!(i==="innerHTML"||i==="textContent"||i==="children")||Xh.has(o.tag))&&(o[i==="children"?"innerHTML":i]=l),delete o.props[i])}return o.props.body&&(o.tagPosition="bodyClose",delete o.props.body),o.tag==="script"&&typeof o.innerHTML=="object"&&(o.innerHTML=JSON.stringify(o.innerHTML),o.props.type=o.props.type||"application/json"),Array.isArray(o.props.content)?o.props.content.map(i=>({...o,props:{...o.props,content:i}})):o}function np(e,t){var s;const n=e==="class"?" ":";";return t&&typeof t=="object"&&!Array.isArray(t)&&(t=Object.entries(t).filter(([,r])=>r).map(([r,o])=>e==="style"?`${r}:${o}`:r)),(s=String(Array.isArray(t)?t.join(n):t))==null?void 0:s.split(n).filter(r=>!!r.trim()).join(n)}function rc(e,t,n,s){for(let r=s;r<n.length;r+=1){const o=n[r];if(o==="class"||o==="style"){e[o]=np(o,e[o]);continue}if(e[o]instanceof Promise)return e[o].then(i=>(e[o]=i,rc(e,t,n,r)));if(!t&&!sc.has(o)){const i=String(e[o]),l=o.startsWith("data-");i==="true"||i===""?e[o]=l?"true":!0:e[o]||(l&&i==="false"?e[o]="false":delete e[o])}}}function oc(e,t=!1){const n=rc(e,t,Object.keys(e),0);return n instanceof Promise?n.then(()=>e):e}const sp=10;function ic(e,t,n){for(let s=n;s<t.length;s+=1){const r=t[s];if(r instanceof Promise)return r.then(o=>(t[s]=o,ic(e,t,s)));Array.isArray(r)?e.push(...r):e.push(r)}}function rp(e){const t=[],n=e.resolvedInput;for(const r in n){if(!Object.prototype.hasOwnProperty.call(n,r))continue;const o=n[r];if(!(o===void 0||!Yh.has(r))){if(Array.isArray(o)){for(const i of o)t.push(Ur(r,i,e));continue}t.push(Ur(r,o,e))}}if(t.length===0)return[];const s=[];return tp(ic(s,t,0),()=>s.map((r,o)=>(r._e=e._i,e.mode&&(r._m=e.mode),r._p=(e._i<<sp)+o,r)))}const Ni=new Set(["onload","onerror","onabort","onprogress","onloadstart"]),$i={base:-10,title:10},ji={critical:-80,high:-10,low:20};function Is(e){const t=e.tagPriority;if(typeof t=="number")return t;let n=100;return e.tag==="meta"?e.props["http-equiv"]==="content-security-policy"?n=-30:e.props.charset?n=-20:e.props.name==="viewport"&&(n=-15):e.tag==="link"&&e.props.rel==="preconnect"?n=20:e.tag in $i&&(n=$i[e.tag]),t&&t in ji?n+ji[t]:n}const op=[{prefix:"before:",offset:-1},{prefix:"after:",offset:1}],ip=["name","property","http-equiv"];function lc(e){const{props:t,tag:n}=e;if(Zh.has(n))return n;if(n==="link"&&t.rel==="canonical")return"canonical";if(t.charset)return"charset";if(t.id)return`${n}:id:${t.id}`;for(const s of ip)if(t[s]!==void 0)return`${n}:${s}:${t[s]}`;return!1}const Ct="%separator";function lp(e,t){var s;let n;if(t==="s"||t==="pageTitle")n=e.pageTitle;else if(t.includes(".")){const r=t.indexOf(".");n=(s=e[t.substring(0,r)])==null?void 0:s[t.substring(r+1)]}else n=e[t];return n!==void 0?(n||"").replace(/"/g,'\\"'):void 0}const ap=new RegExp(`${Ct}(?:\\s*${Ct})*`,"g");function fs(e,t,n){if(typeof e!="string"||!e.includes("%"))return e;let s=e;try{s=decodeURI(e)}catch{}const r=s.match(/%\w+(?:\.\w+)?/g);if(!r)return e;const o=e.includes(Ct);return e=e.replace(/%\w+(?:\.\w+)?/g,i=>{if(i===Ct||!r.includes(i))return i;const l=lp(t,i.slice(1));return l!==void 0?l:i}).trim(),o&&(e.endsWith(Ct)&&(e=e.slice(0,-Ct.length)),e.startsWith(Ct)&&(e=e.slice(Ct.length)),e=e.replace(ap,n).trim()),e}function Fi(e,t){return e==null?t||null:typeof e=="function"?e(t):e}async function ac(e,t={}){const n=t.document||e.resolvedOptions.document;if(!n||!e.dirty)return;const s={shouldRender:!0,tags:[]};if(await e.hooks.callHook("dom:beforeRender",s),!!s.shouldRender)return e._domUpdatePromise||(e._domUpdatePromise=new Promise(async r=>{var u;const o=(await e.resolveTags()).map(d=>({tag:d,id:gs.has(d.tag)?Dr(d):d.tag,shouldRender:!0}));let i=e._dom;if(!i){i={elMap:{htmlAttrs:n.documentElement,bodyAttrs:n.body}};const d=new Set;for(const p of["body","head"]){const _=(u=n[p])==null?void 0:u.children;for(const E of _){const k=E.tagName.toLowerCase();if(!gs.has(k))continue;const T={tag:k,props:await oc(E.getAttributeNames().reduce((v,S)=>({...v,[S]:E.getAttribute(S)}),{})),innerHTML:E.innerHTML},w=lc(T);let g=w,y=1;for(;g&&d.has(g);)g=`${w}:${y++}`;g&&(T._d=g,d.add(g)),i.elMap[E.getAttribute("data-hid")||Dr(T)]=E}}}i.pendingSideEffects={...i.sideEffects},i.sideEffects={};function l(d,p,_){const E=`${d}:${p}`;i.sideEffects[E]=_,delete i.pendingSideEffects[E]}function a({id:d,$el:p,tag:_}){const E=_.tag.endsWith("Attrs");if(i.elMap[d]=p,E||(_.textContent&&_.textContent!==p.textContent&&(p.textContent=_.textContent),_.innerHTML&&_.innerHTML!==p.innerHTML&&(p.innerHTML=_.innerHTML),l(d,"el",()=>{var k;(k=i.elMap[d])==null||k.remove(),delete i.elMap[d]})),_._eventHandlers)for(const k in _._eventHandlers)Object.prototype.hasOwnProperty.call(_._eventHandlers,k)&&p.getAttribute(`data-${k}`)!==""&&((_.tag==="bodyAttrs"?n.defaultView:p).addEventListener(k.substring(2),_._eventHandlers[k].bind(p)),p.setAttribute(`data-${k}`,""));for(const k in _.props){if(!Object.prototype.hasOwnProperty.call(_.props,k))continue;const T=_.props[k],w=`attr:${k}`;if(k==="class"){if(!T)continue;for(const g of T.split(" "))E&&l(d,`${w}:${g}`,()=>p.classList.remove(g)),!p.classList.contains(g)&&p.classList.add(g)}else if(k==="style"){if(!T)continue;for(const g of T.split(";")){const y=g.indexOf(":"),v=g.substring(0,y).trim(),S=g.substring(y+1).trim();l(d,`${w}:${v}`,()=>{p.style.removeProperty(v)}),p.style.setProperty(v,S)}}else p.getAttribute(k)!==T&&p.setAttribute(k,T===!0?"":String(T)),E&&l(d,w,()=>p.removeAttribute(k))}}const f=[],c={bodyClose:void 0,bodyOpen:void 0,head:void 0};for(const d of o){const{tag:p,shouldRender:_,id:E}=d;if(_){if(p.tag==="title"){n.title=p.textContent;continue}d.$el=d.$el||i.elMap[E],d.$el?a(d):gs.has(p.tag)&&f.push(d)}}for(const d of f){const p=d.tag.tagPosition||"head";d.$el=n.createElement(d.tag.tag),a(d),c[p]=c[p]||n.createDocumentFragment(),c[p].appendChild(d.$el)}for(const d of o)await e.hooks.callHook("dom:renderTag",d,n,l);c.head&&n.head.appendChild(c.head),c.bodyOpen&&n.body.insertBefore(c.bodyOpen,n.body.firstChild),c.bodyClose&&n.body.appendChild(c.bodyClose);for(const d in i.pendingSideEffects)i.pendingSideEffects[d]();e._dom=i,await e.hooks.callHook("dom:rendered",{renders:o}),r()}).finally(()=>{e._domUpdatePromise=void 0,e.dirty=!1})),e._domUpdatePromise}function cp(e,t={}){const n=t.delayFn||(s=>setTimeout(s,10));return e._domDebouncedUpdatePromise=e._domDebouncedUpdatePromise||new Promise(s=>n(()=>ac(e,t).then(()=>{delete e._domDebouncedUpdatePromise,s()})))}function up(e){return t=>{var s,r;const n=((r=(s=t.resolvedOptions.document)==null?void 0:s.head.querySelector('script[id="unhead:payload"]'))==null?void 0:r.innerHTML)||!1;return n&&t.push(JSON.parse(n)),{mode:"client",hooks:{"entries:updated":o=>{cp(o,e)}}}}}const fp=new Set(["templateParams","htmlAttrs","bodyAttrs"]),dp={hooks:{"tag:normalise":({tag:e})=>{e.props.hid&&(e.key=e.props.hid,delete e.props.hid),e.props.vmid&&(e.key=e.props.vmid,delete e.props.vmid),e.props.key&&(e.key=e.props.key,delete e.props.key);const t=lc(e);t&&!t.startsWith("meta:og:")&&!t.startsWith("meta:twitter:")&&delete e.key;const n=t||(e.key?`${e.tag}:${e.key}`:!1);n&&(e._d=n)},"tags:resolve":e=>{const t=Object.create(null);for(const s of e.tags){const r=(s.key?`${s.tag}:${s.key}`:s._d)||Dr(s),o=t[r];if(o){let l=s==null?void 0:s.tagDuplicateStrategy;if(!l&&fp.has(s.tag)&&(l="merge"),l==="merge"){const a=o.props;a.style&&s.props.style&&(a.style[a.style.length-1]!==";"&&(a.style+=";"),s.props.style=`${a.style} ${s.props.style}`),a.class&&s.props.class?s.props.class=`${a.class} ${s.props.class}`:a.class&&(s.props.class=a.class),t[r].props={...a,...s.props};continue}else if(s._e===o._e){o._duped=o._duped||[],s._d=`${o._d}:${o._duped.length+1}`,o._duped.push(s);continue}else if(Is(s)>Is(o))continue}if(!(s.innerHTML||s.textContent||Object.keys(s.props).length!==0)&&gs.has(s.tag)){delete t[r];continue}t[r]=s}const n=[];for(const s in t){const r=t[s],o=r._duped;n.push(r),o&&(delete r._duped,n.push(...o))}e.tags=n,e.tags=e.tags.filter(s=>!(s.tag==="meta"&&(s.props.name||s.props.property)&&!s.props.content))}}},hp=new Set(["script","link","bodyAttrs"]),pp=e=>({hooks:{"tags:resolve":t=>{for(const n of t.tags){if(!hp.has(n.tag))continue;const s=n.props;for(const r in s){if(r[0]!=="o"||r[1]!=="n"||!Object.prototype.hasOwnProperty.call(s,r))continue;const o=s[r];typeof o=="function"&&(e.ssr&&Ni.has(r)?s[r]=`this.dataset.${r}fired = true`:delete s[r],n._eventHandlers=n._eventHandlers||{},n._eventHandlers[r]=o)}e.ssr&&n._eventHandlers&&(n.props.src||n.props.href)&&(n.key=n.key||Hs(n.props.src||n.props.href))}},"dom:renderTag":({$el:t,tag:n})=>{var r,o;const s=t==null?void 0:t.dataset;if(s)for(const i in s){if(!i.endsWith("fired"))continue;const l=i.slice(0,-5);Ni.has(l)&&((o=(r=n._eventHandlers)==null?void 0:r[l])==null||o.call(t,new Event(l.substring(2))))}}}}),gp=new Set(["link","style","script","noscript"]),mp={hooks:{"tag:normalise":({tag:e})=>{e.key&&gp.has(e.tag)&&(e.props["data-hid"]=e._h=Hs(e.key))}}},yp={mode:"server",hooks:{"tags:beforeResolve":e=>{const t={};let n=!1;for(const s of e.tags)s._m!=="server"||s.tag!=="titleTemplate"&&s.tag!=="templateParams"&&s.tag!=="title"||(t[s.tag]=s.tag==="title"||s.tag==="titleTemplate"?s.textContent:s.props,n=!0);n&&e.tags.push({tag:"script",innerHTML:JSON.stringify(t),props:{id:"unhead:payload",type:"application/json"}})}}},_p={hooks:{"tags:resolve":e=>{var t;for(const n of e.tags)if(typeof n.tagPriority=="string")for(const{prefix:s,offset:r}of op){if(!n.tagPriority.startsWith(s))continue;const o=n.tagPriority.substring(s.length),i=(t=e.tags.find(l=>l._d===o))==null?void 0:t._p;if(i!==void 0){n._p=i+r;break}}e.tags.sort((n,s)=>{const r=Is(n),o=Is(s);return r<o?-1:r>o?1:n._p-s._p})}}},bp={meta:"content",link:"href",htmlAttrs:"lang"},vp=["innerHTML","textContent"],wp=e=>({hooks:{"tags:resolve":t=>{var i;const{tags:n}=t;let s;for(let l=0;l<n.length;l+=1)n[l].tag==="templateParams"&&(s=t.tags.splice(l,1)[0].props,l-=1);const r=s||{},o=r.separator||"|";delete r.separator,r.pageTitle=fs(r.pageTitle||((i=n.find(l=>l.tag==="title"))==null?void 0:i.textContent)||"",r,o);for(const l of n){if(l.processTemplateParams===!1)continue;const a=bp[l.tag];if(a&&typeof l.props[a]=="string")l.props[a]=fs(l.props[a],r,o);else if(l.processTemplateParams||l.tag==="titleTemplate"||l.tag==="title")for(const f of vp)typeof l[f]=="string"&&(l[f]=fs(l[f],r,o))}e._templateParams=r,e._separator=o},"tags:afterResolve":({tags:t})=>{let n;for(let s=0;s<t.length;s+=1){const r=t[s];r.tag==="title"&&r.processTemplateParams!==!1&&(n=r)}n!=null&&n.textContent&&(n.textContent=fs(n.textContent,e._templateParams,e._separator))}}}),Ep={hooks:{"tags:resolve":e=>{const{tags:t}=e;let n,s;for(let r=0;r<t.length;r+=1){const o=t[r];o.tag==="title"?n=o:o.tag==="titleTemplate"&&(s=o)}if(s&&n){const r=Fi(s.textContent,n.textContent);r!==null?n.textContent=r||n.textContent:e.tags.splice(e.tags.indexOf(n),1)}else if(s){const r=Fi(s.textContent);r!==null&&(s.textContent=r,s.tag="title",s=void 0)}s&&e.tags.splice(e.tags.indexOf(s),1)}}},Tp={hooks:{"tags:afterResolve":e=>{for(const t of e.tags)typeof t.innerHTML=="string"&&(t.innerHTML&&(t.props.type==="application/ld+json"||t.props.type==="application/json")?t.innerHTML=t.innerHTML.replace(/</g,"\\u003C"):t.innerHTML=t.innerHTML.replace(new RegExp(`</${t.tag}`,"g"),`<\\/${t.tag}`))}}};let cc;function Rp(e={}){const t=Cp(e);return t.use(up()),cc=t}function Di(e,t){return!e||e==="server"&&t||e==="client"&&!t}function Cp(e={}){const t=Ja();t.addHooks(e.hooks||{}),e.document=e.document||(ep?document:void 0);const n=!e.document,s=()=>{l.dirty=!0,t.callHook("entries:updated",l)};let r=0,o=[];const i=[],l={plugins:i,dirty:!1,resolvedOptions:e,hooks:t,headEntries(){return o},use(a){const f=typeof a=="function"?a(l):a;(!f.key||!i.some(c=>c.key===f.key))&&(i.push(f),Di(f.mode,n)&&t.addHooks(f.hooks||{}))},push(a,f){f==null||delete f.head;const c={_i:r++,input:a,...f};return Di(c.mode,n)&&(o.push(c),s()),{dispose(){o=o.filter(u=>u._i!==c._i),s()},patch(u){for(const d of o)d._i===c._i&&(d.input=c.input=u);s()}}},async resolveTags(){const a={tags:[],entries:[...o]};await t.callHook("entries:resolve",a);for(const f of a.entries){const c=f.resolvedInput||f.input;if(f.resolvedInput=await(f.transform?f.transform(c):c),f.resolvedInput)for(const u of await rp(f)){const d={tag:u,entry:f,resolvedOptions:l.resolvedOptions};await t.callHook("tag:normalise",d),a.tags.push(d.tag)}}return await t.callHook("tags:beforeResolve",a),await t.callHook("tags:resolve",a),await t.callHook("tags:afterResolve",a),a.tags},ssr:n};return[dp,yp,pp,mp,_p,wp,Ep,Tp,...(e==null?void 0:e.plugins)||[]].forEach(a=>l.use(a)),l.hooks.callHook("init",l),l}function Sp(){return cc}const xp=Ma[0]==="3";function kp(e){return typeof e=="function"?e():fe(e)}function Br(e){if(e instanceof Promise||e instanceof Date||e instanceof RegExp)return e;const t=kp(e);if(!e||!t)return t;if(Array.isArray(t))return t.map(n=>Br(n));if(typeof t=="object"){const n={};for(const s in t)if(Object.prototype.hasOwnProperty.call(t,s)){if(s==="titleTemplate"||s[0]==="o"&&s[1]==="n"){n[s]=fe(t[s]);continue}n[s]=Br(t[s])}return n}return t}const Pp={hooks:{"entries:resolve":e=>{for(const t of e.entries)t.resolvedInput=Br(t.input)}}},uc="usehead";function Ap(e){return{install(n){xp&&(n.config.globalProperties.$unhead=e,n.config.globalProperties.$head=e,n.provide(uc,e))}}.install}function Op(e={}){e.domDelayFn=e.domDelayFn||(n=>zt(()=>setTimeout(()=>n(),0)));const t=Rp(e);return t.use(Pp),t.install=Ap(t),t}const Vr=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{},Wr="__unhead_injection_handler__";function Mp(e){Vr[Wr]=e}function Lm(){if(Wr in Vr)return Vr[Wr]();const e=Pe(uc);return e||Sp()}let ms,ys;function Hp(){return ms=$fetch(ko(`builds/meta/${Ws().app.buildId}.json`),{responseType:"json"}),ms.then(e=>{ys=Mh(e.matcher)}).catch(e=>{console.error("[nuxt] Error fetching app manifest.",e)}),ms}function Gs(){return ms||Hp()}async function Ao(e){if(await Gs(),!ys)return console.error("[nuxt] Error creating app manifest matcher.",ys),{};try{return Za({},...ys.matchAll(e).reverse())}catch(t){return console.error("[nuxt] Error matching route rules.",t),{}}}async function Ui(e,t={}){const n=await Lp(e,t),s=ge(),r=s._payloadCache=s._payloadCache||{};return n in r||(r[n]=dc(e).then(o=>o?fc(n).then(i=>i||(delete r[n],null)):(r[n]=null,null))),r[n]}const Ip="_payload.json";async function Lp(e,t={}){const n=new URL(e,"http://localhost");if(n.host!=="localhost"||Qt(n.pathname,{acceptRelative:!0}))throw new Error("Payload URL must not include hostname: "+e);const s=Ws(),r=t.hash||(t.fresh?Date.now():s.app.buildId),o=s.app.cdnURL,i=o&&await dc(e)?o:s.app.baseURL;return So(i,n.pathname,Ip+(r?`?${r}`:""))}async function fc(e){const t=fetch(e).then(n=>n.text().then(hc));try{return await t}catch(n){console.warn("[nuxt] Cannot load payload ",e,n)}return null}async function dc(e=Po().path){if(e=Co(e),(await Gs()).prerendered.includes(e))return!0;const n=await Ao(e);return!!n.prerender&&!n.redirect}let Ft=null;async function Np(){var s;if(Ft)return Ft;const e=document.getElementById("__NUXT_DATA__");if(!e)return{};const t=await hc(e.textContent||""),n=e.dataset.src?await fc(e.dataset.src):void 0;return Ft={...t,...n,...window.__NUXT__},(s=Ft.config)!=null&&s.public&&(Ft.config.public=It(Ft.config.public)),Ft}async function hc(e){return await zh(e,ge()._payloadRevivers)}function $p(e,t){ge()._payloadRevivers[e]=t}const Bi={NuxtError:e=>qs(e),EmptyShallowRef:e=>Fn(e==="_"?void 0:e==="0n"?BigInt(0):Ps(e)),EmptyRef:e=>gt(e==="_"?void 0:e==="0n"?BigInt(0):Ps(e)),ShallowRef:e=>Fn(e),ShallowReactive:e=>ht(e),Ref:e=>gt(e),Reactive:e=>It(e)},jp=lt({name:"nuxt:revive-payload:client",order:-30,async setup(e){let t,n;for(const s in Bi)$p(s,Bi[s]);Object.assign(e.payload,([t,n]=hn(()=>e.runWithContext(Np)),t=await t,n(),t)),window.__NUXT__=e.payload}}),Fp=[],Dp=lt({name:"nuxt:head",enforce:"pre",setup(e){const t=Op({plugins:Fp});Mp(()=>ge().vueApp._context.provides.usehead),e.vueApp.use(t);{let n=!0;const s=async()=>{n=!1,await ac(t)};t.hooks.hook("dom:beforeRender",r=>{r.shouldRender=!n}),e.hooks.hook("page:start",()=>{n=!0}),e.hooks.hook("page:finish",()=>{e.isHydrating||s()}),e.hooks.hook("app:error",s),e.hooks.hook("app:suspense:resolve",s)}}});/*!
20
- * vue-router v4.4.5
21
- * (c) 2024 Eduardo San Martin Morote
22
- * @license MIT
23
- */const nn=typeof document<"u";function pc(e){return typeof e=="object"||"displayName"in e||"props"in e||"__vccOpts"in e}function Up(e){return e.__esModule||e[Symbol.toStringTag]==="Module"||e.default&&pc(e.default)}const oe=Object.assign;function dr(e,t){const n={};for(const s in t){const r=t[s];n[s]=Ze(r)?r.map(e):e(r)}return n}const In=()=>{},Ze=Array.isArray,gc=/#/g,Bp=/&/g,Vp=/\//g,Wp=/=/g,Kp=/\?/g,mc=/\+/g,qp=/%5B/g,Gp=/%5D/g,yc=/%5E/g,Jp=/%60/g,_c=/%7B/g,zp=/%7C/g,bc=/%7D/g,Qp=/%20/g;function Oo(e){return encodeURI(""+e).replace(zp,"|").replace(qp,"[").replace(Gp,"]")}function Xp(e){return Oo(e).replace(_c,"{").replace(bc,"}").replace(yc,"^")}function Kr(e){return Oo(e).replace(mc,"%2B").replace(Qp,"+").replace(gc,"%23").replace(Bp,"%26").replace(Jp,"`").replace(_c,"{").replace(bc,"}").replace(yc,"^")}function Yp(e){return Kr(e).replace(Wp,"%3D")}function Zp(e){return Oo(e).replace(gc,"%23").replace(Kp,"%3F")}function eg(e){return e==null?"":Zp(e).replace(Vp,"%2F")}function Wn(e){try{return decodeURIComponent(""+e)}catch{}return""+e}const tg=/\/$/,ng=e=>e.replace(tg,"");function hr(e,t,n="/"){let s,r={},o="",i="";const l=t.indexOf("#");let a=t.indexOf("?");return l<a&&l>=0&&(a=-1),a>-1&&(s=t.slice(0,a),o=t.slice(a+1,l>-1?l:t.length),r=e(o)),l>-1&&(s=s||t.slice(0,l),i=t.slice(l,t.length)),s=ig(s??t,n),{fullPath:s+(o&&"?")+o+i,path:s,query:r,hash:Wn(i)}}function sg(e,t){const n=t.query?e(t.query):"";return t.path+(n&&"?")+n+(t.hash||"")}function Vi(e,t){return!t||!e.toLowerCase().startsWith(t.toLowerCase())?e:e.slice(t.length)||"/"}function rg(e,t,n){const s=t.matched.length-1,r=n.matched.length-1;return s>-1&&s===r&&_n(t.matched[s],n.matched[r])&&vc(t.params,n.params)&&e(t.query)===e(n.query)&&t.hash===n.hash}function _n(e,t){return(e.aliasOf||e)===(t.aliasOf||t)}function vc(e,t){if(Object.keys(e).length!==Object.keys(t).length)return!1;for(const n in e)if(!og(e[n],t[n]))return!1;return!0}function og(e,t){return Ze(e)?Wi(e,t):Ze(t)?Wi(t,e):e===t}function Wi(e,t){return Ze(t)?e.length===t.length&&e.every((n,s)=>n===t[s]):e.length===1&&e[0]===t}function ig(e,t){if(e.startsWith("/"))return e;if(!e)return t;const n=t.split("/"),s=e.split("/"),r=s[s.length-1];(r===".."||r===".")&&s.push("");let o=n.length-1,i,l;for(i=0;i<s.length;i++)if(l=s[i],l!==".")if(l==="..")o>1&&o--;else break;return n.slice(0,o).join("/")+"/"+s.slice(i).join("/")}const Je={path:"/",name:void 0,params:{},query:{},hash:"",fullPath:"/",matched:[],meta:{},redirectedFrom:void 0};var Kn;(function(e){e.pop="pop",e.push="push"})(Kn||(Kn={}));var Ln;(function(e){e.back="back",e.forward="forward",e.unknown=""})(Ln||(Ln={}));function lg(e){if(!e)if(nn){const t=document.querySelector("base");e=t&&t.getAttribute("href")||"/",e=e.replace(/^\w+:\/\/[^\/]+/,"")}else e="/";return e[0]!=="/"&&e[0]!=="#"&&(e="/"+e),ng(e)}const ag=/^[^#]+#/;function cg(e,t){return e.replace(ag,"#")+t}function ug(e,t){const n=document.documentElement.getBoundingClientRect(),s=e.getBoundingClientRect();return{behavior:t.behavior,left:s.left-n.left-(t.left||0),top:s.top-n.top-(t.top||0)}}const Js=()=>({left:window.scrollX,top:window.scrollY});function fg(e){let t;if("el"in e){const n=e.el,s=typeof n=="string"&&n.startsWith("#"),r=typeof n=="string"?s?document.getElementById(n.slice(1)):document.querySelector(n):n;if(!r)return;t=ug(r,e)}else t=e;"scrollBehavior"in document.documentElement.style?window.scrollTo(t):window.scrollTo(t.left!=null?t.left:window.scrollX,t.top!=null?t.top:window.scrollY)}function Ki(e,t){return(history.state?history.state.position-t:-1)+e}const qr=new Map;function dg(e,t){qr.set(e,t)}function hg(e){const t=qr.get(e);return qr.delete(e),t}let pg=()=>location.protocol+"//"+location.host;function wc(e,t){const{pathname:n,search:s,hash:r}=t,o=e.indexOf("#");if(o>-1){let l=r.includes(e.slice(o))?e.slice(o).length:1,a=r.slice(l);return a[0]!=="/"&&(a="/"+a),Vi(a,"")}return Vi(n,e)+s+r}function gg(e,t,n,s){let r=[],o=[],i=null;const l=({state:d})=>{const p=wc(e,location),_=n.value,E=t.value;let k=0;if(d){if(n.value=p,t.value=d,i&&i===_){i=null;return}k=E?d.position-E.position:0}else s(p);r.forEach(T=>{T(n.value,_,{delta:k,type:Kn.pop,direction:k?k>0?Ln.forward:Ln.back:Ln.unknown})})};function a(){i=n.value}function f(d){r.push(d);const p=()=>{const _=r.indexOf(d);_>-1&&r.splice(_,1)};return o.push(p),p}function c(){const{history:d}=window;d.state&&d.replaceState(oe({},d.state,{scroll:Js()}),"")}function u(){for(const d of o)d();o=[],window.removeEventListener("popstate",l),window.removeEventListener("beforeunload",c)}return window.addEventListener("popstate",l),window.addEventListener("beforeunload",c,{passive:!0}),{pauseListeners:a,listen:f,destroy:u}}function qi(e,t,n,s=!1,r=!1){return{back:e,current:t,forward:n,replaced:s,position:window.history.length,scroll:r?Js():null}}function mg(e){const{history:t,location:n}=window,s={value:wc(e,n)},r={value:t.state};r.value||o(s.value,{back:null,current:s.value,forward:null,position:t.length-1,replaced:!0,scroll:null},!0);function o(a,f,c){const u=e.indexOf("#"),d=u>-1?(n.host&&document.querySelector("base")?e:e.slice(u))+a:pg()+e+a;try{t[c?"replaceState":"pushState"](f,"",d),r.value=f}catch(p){console.error(p),n[c?"replace":"assign"](d)}}function i(a,f){const c=oe({},t.state,qi(r.value.back,a,r.value.forward,!0),f,{position:r.value.position});o(a,c,!0),s.value=a}function l(a,f){const c=oe({},r.value,t.state,{forward:a,scroll:Js()});o(c.current,c,!0);const u=oe({},qi(s.value,a,null),{position:c.position+1},f);o(a,u,!1),s.value=a}return{location:s,state:r,push:l,replace:i}}function Ec(e){e=lg(e);const t=mg(e),n=gg(e,t.state,t.location,t.replace);function s(o,i=!0){i||n.pauseListeners(),history.go(o)}const r=oe({location:"",base:e,go:s,createHref:cg.bind(null,e)},t,n);return Object.defineProperty(r,"location",{enumerable:!0,get:()=>t.location.value}),Object.defineProperty(r,"state",{enumerable:!0,get:()=>t.state.value}),r}function yg(e){return e=location.host?e||location.pathname+location.search:"",e.includes("#")||(e+="#"),Ec(e)}function _g(e){return typeof e=="string"||e&&typeof e=="object"}function Tc(e){return typeof e=="string"||typeof e=="symbol"}const Rc=Symbol("");var Gi;(function(e){e[e.aborted=4]="aborted",e[e.cancelled=8]="cancelled",e[e.duplicated=16]="duplicated"})(Gi||(Gi={}));function bn(e,t){return oe(new Error,{type:e,[Rc]:!0},t)}function ct(e,t){return e instanceof Error&&Rc in e&&(t==null||!!(e.type&t))}const Ji="[^/]+?",bg={sensitive:!1,strict:!1,start:!0,end:!0},vg=/[.+*?^${}()[\]/\\]/g;function wg(e,t){const n=oe({},bg,t),s=[];let r=n.start?"^":"";const o=[];for(const f of e){const c=f.length?[]:[90];n.strict&&!f.length&&(r+="/");for(let u=0;u<f.length;u++){const d=f[u];let p=40+(n.sensitive?.25:0);if(d.type===0)u||(r+="/"),r+=d.value.replace(vg,"\\$&"),p+=40;else if(d.type===1){const{value:_,repeatable:E,optional:k,regexp:T}=d;o.push({name:_,repeatable:E,optional:k});const w=T||Ji;if(w!==Ji){p+=10;try{new RegExp(`(${w})`)}catch(y){throw new Error(`Invalid custom RegExp for param "${_}" (${w}): `+y.message)}}let g=E?`((?:${w})(?:/(?:${w}))*)`:`(${w})`;u||(g=k&&f.length<2?`(?:/${g})`:"/"+g),k&&(g+="?"),r+=g,p+=20,k&&(p+=-8),E&&(p+=-20),w===".*"&&(p+=-50)}c.push(p)}s.push(c)}if(n.strict&&n.end){const f=s.length-1;s[f][s[f].length-1]+=.7000000000000001}n.strict||(r+="/?"),n.end?r+="$":n.strict&&(r+="(?:/|$)");const i=new RegExp(r,n.sensitive?"":"i");function l(f){const c=f.match(i),u={};if(!c)return null;for(let d=1;d<c.length;d++){const p=c[d]||"",_=o[d-1];u[_.name]=p&&_.repeatable?p.split("/"):p}return u}function a(f){let c="",u=!1;for(const d of e){(!u||!c.endsWith("/"))&&(c+="/"),u=!1;for(const p of d)if(p.type===0)c+=p.value;else if(p.type===1){const{value:_,repeatable:E,optional:k}=p,T=_ in f?f[_]:"";if(Ze(T)&&!E)throw new Error(`Provided param "${_}" is an array but it is not repeatable (* or + modifiers)`);const w=Ze(T)?T.join("/"):T;if(!w)if(k)d.length<2&&(c.endsWith("/")?c=c.slice(0,-1):u=!0);else throw new Error(`Missing required param "${_}"`);c+=w}}return c||"/"}return{re:i,score:s,keys:o,parse:l,stringify:a}}function Eg(e,t){let n=0;for(;n<e.length&&n<t.length;){const s=t[n]-e[n];if(s)return s;n++}return e.length<t.length?e.length===1&&e[0]===80?-1:1:e.length>t.length?t.length===1&&t[0]===80?1:-1:0}function Cc(e,t){let n=0;const s=e.score,r=t.score;for(;n<s.length&&n<r.length;){const o=Eg(s[n],r[n]);if(o)return o;n++}if(Math.abs(r.length-s.length)===1){if(zi(s))return 1;if(zi(r))return-1}return r.length-s.length}function zi(e){const t=e[e.length-1];return e.length>0&&t[t.length-1]<0}const Tg={type:0,value:""},Rg=/[a-zA-Z0-9_]/;function Cg(e){if(!e)return[[]];if(e==="/")return[[Tg]];if(!e.startsWith("/"))throw new Error(`Invalid path "${e}"`);function t(p){throw new Error(`ERR (${n})/"${f}": ${p}`)}let n=0,s=n;const r=[];let o;function i(){o&&r.push(o),o=[]}let l=0,a,f="",c="";function u(){f&&(n===0?o.push({type:0,value:f}):n===1||n===2||n===3?(o.length>1&&(a==="*"||a==="+")&&t(`A repeatable param (${f}) must be alone in its segment. eg: '/:ids+.`),o.push({type:1,value:f,regexp:c,repeatable:a==="*"||a==="+",optional:a==="*"||a==="?"})):t("Invalid state to consume buffer"),f="")}function d(){f+=a}for(;l<e.length;){if(a=e[l++],a==="\\"&&n!==2){s=n,n=4;continue}switch(n){case 0:a==="/"?(f&&u(),i()):a===":"?(u(),n=1):d();break;case 4:d(),n=s;break;case 1:a==="("?n=2:Rg.test(a)?d():(u(),n=0,a!=="*"&&a!=="?"&&a!=="+"&&l--);break;case 2:a===")"?c[c.length-1]=="\\"?c=c.slice(0,-1)+a:n=3:c+=a;break;case 3:u(),n=0,a!=="*"&&a!=="?"&&a!=="+"&&l--,c="";break;default:t("Unknown state");break}}return n===2&&t(`Unfinished custom RegExp for param "${f}"`),u(),i(),r}function Sg(e,t,n){const s=wg(Cg(e.path),n),r=oe(s,{record:e,parent:t,children:[],alias:[]});return t&&!r.record.aliasOf==!t.record.aliasOf&&t.children.push(r),r}function xg(e,t){const n=[],s=new Map;t=Zi({strict:!1,end:!0,sensitive:!1},t);function r(u){return s.get(u)}function o(u,d,p){const _=!p,E=Xi(u);E.aliasOf=p&&p.record;const k=Zi(t,u),T=[E];if("alias"in u){const y=typeof u.alias=="string"?[u.alias]:u.alias;for(const v of y)T.push(Xi(oe({},E,{components:p?p.record.components:E.components,path:v,aliasOf:p?p.record:E})))}let w,g;for(const y of T){const{path:v}=y;if(d&&v[0]!=="/"){const S=d.record.path,H=S[S.length-1]==="/"?"":"/";y.path=d.record.path+(v&&H+v)}if(w=Sg(y,d,k),p?p.alias.push(w):(g=g||w,g!==w&&g.alias.push(w),_&&u.name&&!Yi(w)&&i(u.name)),Sc(w)&&a(w),E.children){const S=E.children;for(let H=0;H<S.length;H++)o(S[H],w,p&&p.children[H])}p=p||w}return g?()=>{i(g)}:In}function i(u){if(Tc(u)){const d=s.get(u);d&&(s.delete(u),n.splice(n.indexOf(d),1),d.children.forEach(i),d.alias.forEach(i))}else{const d=n.indexOf(u);d>-1&&(n.splice(d,1),u.record.name&&s.delete(u.record.name),u.children.forEach(i),u.alias.forEach(i))}}function l(){return n}function a(u){const d=Ag(u,n);n.splice(d,0,u),u.record.name&&!Yi(u)&&s.set(u.record.name,u)}function f(u,d){let p,_={},E,k;if("name"in u&&u.name){if(p=s.get(u.name),!p)throw bn(1,{location:u});k=p.record.name,_=oe(Qi(d.params,p.keys.filter(g=>!g.optional).concat(p.parent?p.parent.keys.filter(g=>g.optional):[]).map(g=>g.name)),u.params&&Qi(u.params,p.keys.map(g=>g.name))),E=p.stringify(_)}else if(u.path!=null)E=u.path,p=n.find(g=>g.re.test(E)),p&&(_=p.parse(E),k=p.record.name);else{if(p=d.name?s.get(d.name):n.find(g=>g.re.test(d.path)),!p)throw bn(1,{location:u,currentLocation:d});k=p.record.name,_=oe({},d.params,u.params),E=p.stringify(_)}const T=[];let w=p;for(;w;)T.unshift(w.record),w=w.parent;return{name:k,path:E,params:_,matched:T,meta:Pg(T)}}e.forEach(u=>o(u));function c(){n.length=0,s.clear()}return{addRoute:o,resolve:f,removeRoute:i,clearRoutes:c,getRoutes:l,getRecordMatcher:r}}function Qi(e,t){const n={};for(const s of t)s in e&&(n[s]=e[s]);return n}function Xi(e){const t={path:e.path,redirect:e.redirect,name:e.name,meta:e.meta||{},aliasOf:e.aliasOf,beforeEnter:e.beforeEnter,props:kg(e),children:e.children||[],instances:{},leaveGuards:new Set,updateGuards:new Set,enterCallbacks:{},components:"components"in e?e.components||null:e.component&&{default:e.component}};return Object.defineProperty(t,"mods",{value:{}}),t}function kg(e){const t={},n=e.props||!1;if("component"in e)t.default=n;else for(const s in e.components)t[s]=typeof n=="object"?n[s]:n;return t}function Yi(e){for(;e;){if(e.record.aliasOf)return!0;e=e.parent}return!1}function Pg(e){return e.reduce((t,n)=>oe(t,n.meta),{})}function Zi(e,t){const n={};for(const s in e)n[s]=s in t?t[s]:e[s];return n}function Ag(e,t){let n=0,s=t.length;for(;n!==s;){const o=n+s>>1;Cc(e,t[o])<0?s=o:n=o+1}const r=Og(e);return r&&(s=t.lastIndexOf(r,s-1)),s}function Og(e){let t=e;for(;t=t.parent;)if(Sc(t)&&Cc(e,t)===0)return t}function Sc({record:e}){return!!(e.name||e.components&&Object.keys(e.components).length||e.redirect)}function Mg(e){const t={};if(e===""||e==="?")return t;const s=(e[0]==="?"?e.slice(1):e).split("&");for(let r=0;r<s.length;++r){const o=s[r].replace(mc," "),i=o.indexOf("="),l=Wn(i<0?o:o.slice(0,i)),a=i<0?null:Wn(o.slice(i+1));if(l in t){let f=t[l];Ze(f)||(f=t[l]=[f]),f.push(a)}else t[l]=a}return t}function el(e){let t="";for(let n in e){const s=e[n];if(n=Yp(n),s==null){s!==void 0&&(t+=(t.length?"&":"")+n);continue}(Ze(s)?s.map(o=>o&&Kr(o)):[s&&Kr(s)]).forEach(o=>{o!==void 0&&(t+=(t.length?"&":"")+n,o!=null&&(t+="="+o))})}return t}function Hg(e){const t={};for(const n in e){const s=e[n];s!==void 0&&(t[n]=Ze(s)?s.map(r=>r==null?null:""+r):s==null?s:""+s)}return t}const Ig=Symbol(""),tl=Symbol(""),Mo=Symbol(""),Ho=Symbol(""),Gr=Symbol("");function xn(){let e=[];function t(s){return e.push(s),()=>{const r=e.indexOf(s);r>-1&&e.splice(r,1)}}function n(){e=[]}return{add:t,list:()=>e.slice(),reset:n}}function St(e,t,n,s,r,o=i=>i()){const i=s&&(s.enterCallbacks[r]=s.enterCallbacks[r]||[]);return()=>new Promise((l,a)=>{const f=d=>{d===!1?a(bn(4,{from:n,to:t})):d instanceof Error?a(d):_g(d)?a(bn(2,{from:t,to:d})):(i&&s.enterCallbacks[r]===i&&typeof d=="function"&&i.push(d),l())},c=o(()=>e.call(s&&s.instances[r],t,n,f));let u=Promise.resolve(c);e.length<3&&(u=u.then(f)),u.catch(d=>a(d))})}function pr(e,t,n,s,r=o=>o()){const o=[];for(const i of e)for(const l in i.components){let a=i.components[l];if(!(t!=="beforeRouteEnter"&&!i.instances[l]))if(pc(a)){const c=(a.__vccOpts||a)[t];c&&o.push(St(c,n,s,i,l,r))}else{let f=a();o.push(()=>f.then(c=>{if(!c)throw new Error(`Couldn't resolve component "${l}" at "${i.path}"`);const u=Up(c)?c.default:c;i.mods[l]=c,i.components[l]=u;const p=(u.__vccOpts||u)[t];return p&&St(p,n,s,i,l,r)()}))}}return o}function nl(e){const t=Pe(Mo),n=Pe(Ho),s=Ve(()=>{const a=fe(e.to);return t.resolve(a)}),r=Ve(()=>{const{matched:a}=s.value,{length:f}=a,c=a[f-1],u=n.matched;if(!c||!u.length)return-1;const d=u.findIndex(_n.bind(null,c));if(d>-1)return d;const p=sl(a[f-2]);return f>1&&sl(c)===p&&u[u.length-1].path!==p?u.findIndex(_n.bind(null,a[f-2])):d}),o=Ve(()=>r.value>-1&&jg(n.params,s.value.params)),i=Ve(()=>r.value>-1&&r.value===n.matched.length-1&&vc(n.params,s.value.params));function l(a={}){return $g(a)?t[fe(e.replace)?"replace":"push"](fe(e.to)).catch(In):Promise.resolve()}return{route:s,href:Ve(()=>s.value.href),isActive:o,isExactActive:i,navigate:l}}const Lg=Lt({name:"RouterLink",compatConfig:{MODE:3},props:{to:{type:[String,Object],required:!0},replace:Boolean,activeClass:String,exactActiveClass:String,custom:Boolean,ariaCurrentValue:{type:String,default:"page"}},useLink:nl,setup(e,{slots:t}){const n=It(nl(e)),{options:s}=Pe(Mo),r=Ve(()=>({[rl(e.activeClass,s.linkActiveClass,"router-link-active")]:n.isActive,[rl(e.exactActiveClass,s.linkExactActiveClass,"router-link-exact-active")]:n.isExactActive}));return()=>{const o=t.default&&t.default(n);return e.custom?o:He("a",{"aria-current":n.isExactActive?e.ariaCurrentValue:null,href:n.href,onClick:n.navigate,class:r.value},o)}}}),Ng=Lg;function $g(e){if(!(e.metaKey||e.altKey||e.ctrlKey||e.shiftKey)&&!e.defaultPrevented&&!(e.button!==void 0&&e.button!==0)){if(e.currentTarget&&e.currentTarget.getAttribute){const t=e.currentTarget.getAttribute("target");if(/\b_blank\b/i.test(t))return}return e.preventDefault&&e.preventDefault(),!0}}function jg(e,t){for(const n in t){const s=t[n],r=e[n];if(typeof s=="string"){if(s!==r)return!1}else if(!Ze(r)||r.length!==s.length||s.some((o,i)=>o!==r[i]))return!1}return!0}function sl(e){return e?e.aliasOf?e.aliasOf.path:e.path:""}const rl=(e,t,n)=>e??t??n,Fg=Lt({name:"RouterView",inheritAttrs:!1,props:{name:{type:String,default:"default"},route:Object},compatConfig:{MODE:3},setup(e,{attrs:t,slots:n}){const s=Pe(Gr),r=Ve(()=>e.route||s.value),o=Pe(tl,0),i=Ve(()=>{let f=fe(o);const{matched:c}=r.value;let u;for(;(u=c[f])&&!u.components;)f++;return f}),l=Ve(()=>r.value.matched[i.value]);Kt(tl,Ve(()=>i.value+1)),Kt(Ig,l),Kt(Gr,r);const a=gt();return fn(()=>[a.value,l.value,e.name],([f,c,u],[d,p,_])=>{c&&(c.instances[u]=f,p&&p!==c&&f&&f===d&&(c.leaveGuards.size||(c.leaveGuards=p.leaveGuards),c.updateGuards.size||(c.updateGuards=p.updateGuards))),f&&c&&(!p||!_n(c,p)||!d)&&(c.enterCallbacks[u]||[]).forEach(E=>E(f))},{flush:"post"}),()=>{const f=r.value,c=e.name,u=l.value,d=u&&u.components[c];if(!d)return ol(n.default,{Component:d,route:f});const p=u.props[c],_=p?p===!0?f.params:typeof p=="function"?p(f):p:null,k=He(d,oe({},_,t,{onVnodeUnmounted:T=>{T.component.isUnmounted&&(u.instances[c]=null)},ref:a}));return ol(n.default,{Component:k,route:f})||k}}});function ol(e,t){if(!e)return null;const n=e(t);return n.length===1?n[0]:n}const xc=Fg;function Dg(e){const t=xg(e.routes,e),n=e.parseQuery||Mg,s=e.stringifyQuery||el,r=e.history,o=xn(),i=xn(),l=xn(),a=Fn(Je);let f=Je;nn&&e.scrollBehavior&&"scrollRestoration"in history&&(history.scrollRestoration="manual");const c=dr.bind(null,C=>""+C),u=dr.bind(null,eg),d=dr.bind(null,Wn);function p(C,D){let j,W;return Tc(C)?(j=t.getRecordMatcher(C),W=D):W=C,t.addRoute(W,j)}function _(C){const D=t.getRecordMatcher(C);D&&t.removeRoute(D)}function E(){return t.getRoutes().map(C=>C.record)}function k(C){return!!t.getRecordMatcher(C)}function T(C,D){if(D=oe({},D||a.value),typeof C=="string"){const m=hr(n,C,D.path),b=t.resolve({path:m.path},D),x=r.createHref(m.fullPath);return oe(m,b,{params:d(b.params),hash:Wn(m.hash),redirectedFrom:void 0,href:x})}let j;if(C.path!=null)j=oe({},C,{path:hr(n,C.path,D.path).path});else{const m=oe({},C.params);for(const b in m)m[b]==null&&delete m[b];j=oe({},C,{params:u(m)}),D.params=u(D.params)}const W=t.resolve(j,D),ne=C.hash||"";W.params=c(d(W.params));const de=sg(s,oe({},C,{hash:Xp(ne),path:W.path})),h=r.createHref(de);return oe({fullPath:de,hash:ne,query:s===el?Hg(C.query):C.query||{}},W,{redirectedFrom:void 0,href:h})}function w(C){return typeof C=="string"?hr(n,C,a.value.path):oe({},C)}function g(C,D){if(f!==C)return bn(8,{from:D,to:C})}function y(C){return H(C)}function v(C){return y(oe(w(C),{replace:!0}))}function S(C){const D=C.matched[C.matched.length-1];if(D&&D.redirect){const{redirect:j}=D;let W=typeof j=="function"?j(C):j;return typeof W=="string"&&(W=W.includes("?")||W.includes("#")?W=w(W):{path:W},W.params={}),oe({query:C.query,hash:C.hash,params:W.path!=null?{}:C.params},W)}}function H(C,D){const j=f=T(C),W=a.value,ne=C.state,de=C.force,h=C.replace===!0,m=S(j);if(m)return H(oe(w(m),{state:typeof m=="object"?oe({},ne,m.state):ne,force:de,replace:h}),D||j);const b=j;b.redirectedFrom=D;let x;return!de&&rg(s,W,j)&&(x=bn(16,{to:b,from:W}),et(W,W,!0,!1)),(x?Promise.resolve(x):M(b,W)).catch(R=>ct(R)?ct(R,2)?R:_t(R):V(R,b,W)).then(R=>{if(R){if(ct(R,2))return H(oe({replace:h},w(R.to),{state:typeof R.to=="object"?oe({},ne,R.to.state):ne,force:de}),D||b)}else R=O(b,W,!0,h,ne);return K(b,W,R),R})}function B(C,D){const j=g(C,D);return j?Promise.reject(j):Promise.resolve()}function I(C){const D=Yt.values().next().value;return D&&typeof D.runWithContext=="function"?D.runWithContext(C):C()}function M(C,D){let j;const[W,ne,de]=Ug(C,D);j=pr(W.reverse(),"beforeRouteLeave",C,D);for(const m of W)m.leaveGuards.forEach(b=>{j.push(St(b,C,D))});const h=B.bind(null,C,D);return j.push(h),Fe(j).then(()=>{j=[];for(const m of o.list())j.push(St(m,C,D));return j.push(h),Fe(j)}).then(()=>{j=pr(ne,"beforeRouteUpdate",C,D);for(const m of ne)m.updateGuards.forEach(b=>{j.push(St(b,C,D))});return j.push(h),Fe(j)}).then(()=>{j=[];for(const m of de)if(m.beforeEnter)if(Ze(m.beforeEnter))for(const b of m.beforeEnter)j.push(St(b,C,D));else j.push(St(m.beforeEnter,C,D));return j.push(h),Fe(j)}).then(()=>(C.matched.forEach(m=>m.enterCallbacks={}),j=pr(de,"beforeRouteEnter",C,D,I),j.push(h),Fe(j))).then(()=>{j=[];for(const m of i.list())j.push(St(m,C,D));return j.push(h),Fe(j)}).catch(m=>ct(m,8)?m:Promise.reject(m))}function K(C,D,j){l.list().forEach(W=>I(()=>W(C,D,j)))}function O(C,D,j,W,ne){const de=g(C,D);if(de)return de;const h=D===Je,m=nn?history.state:{};j&&(W||h?r.replace(C.fullPath,oe({scroll:h&&m&&m.scroll},ne)):r.push(C.fullPath,ne)),a.value=C,et(C,D,j,h),_t()}let q;function Z(){q||(q=r.listen((C,D,j)=>{if(!Yn.listening)return;const W=T(C),ne=S(W);if(ne){H(oe(ne,{replace:!0}),W).catch(In);return}f=W;const de=a.value;nn&&dg(Ki(de.fullPath,j.delta),Js()),M(W,de).catch(h=>ct(h,12)?h:ct(h,2)?(H(h.to,W).then(m=>{ct(m,20)&&!j.delta&&j.type===Kn.pop&&r.go(-1,!1)}).catch(In),Promise.reject()):(j.delta&&r.go(-j.delta,!1),V(h,W,de))).then(h=>{h=h||O(W,de,!1),h&&(j.delta&&!ct(h,8)?r.go(-j.delta,!1):j.type===Kn.pop&&ct(h,20)&&r.go(-1,!1)),K(W,de,h)}).catch(In)}))}let ie=xn(),U=xn(),Y;function V(C,D,j){_t(C);const W=U.list();return W.length?W.forEach(ne=>ne(C,D,j)):console.error(C),Promise.reject(C)}function me(){return Y&&a.value!==Je?Promise.resolve():new Promise((C,D)=>{ie.add([C,D])})}function _t(C){return Y||(Y=!C,Z(),ie.list().forEach(([D,j])=>C?j(C):D()),ie.reset()),C}function et(C,D,j,W){const{scrollBehavior:ne}=e;if(!nn||!ne)return Promise.resolve();const de=!j&&hg(Ki(C.fullPath,0))||(W||!j)&&history.state&&history.state.scroll||null;return zt().then(()=>ne(C,D,de)).then(h=>h&&fg(h)).catch(h=>V(h,C,D))}const Ae=C=>r.go(C);let Xt;const Yt=new Set,Yn={currentRoute:a,listening:!0,addRoute:p,removeRoute:_,clearRoutes:t.clearRoutes,hasRoute:k,getRoutes:E,resolve:T,options:e,push:y,replace:v,go:Ae,back:()=>Ae(-1),forward:()=>Ae(1),beforeEach:o.add,beforeResolve:i.add,afterEach:l.add,onError:U.add,isReady:me,install(C){const D=this;C.component("RouterLink",Ng),C.component("RouterView",xc),C.config.globalProperties.$router=D,Object.defineProperty(C.config.globalProperties,"$route",{enumerable:!0,get:()=>fe(a)}),nn&&!Xt&&a.value===Je&&(Xt=!0,y(r.location).catch(ne=>{}));const j={};for(const ne in Je)Object.defineProperty(j,ne,{get:()=>a.value[ne],enumerable:!0});C.provide(Mo,D),C.provide(Ho,ht(j)),C.provide(Gr,a);const W=C.unmount;Yt.add(C),C.unmount=function(){Yt.delete(C),Yt.size<1&&(f=Je,q&&q(),q=null,a.value=Je,Xt=!1,Y=!1),W()}}};function Fe(C){return C.reduce((D,j)=>D.then(()=>I(j)),Promise.resolve())}return Yn}function Ug(e,t){const n=[],s=[],r=[],o=Math.max(t.matched.length,e.matched.length);for(let i=0;i<o;i++){const l=t.matched[i];l&&(e.matched.find(f=>_n(f,l))?s.push(l):n.push(l));const a=e.matched[i];a&&(t.matched.find(f=>_n(f,a))||r.push(a))}return[n,s,r]}function Bg(e){return Pe(Ho)}const Vg=(e,t)=>t.path.replace(/(:\w+)\([^)]+\)/g,"$1").replace(/(:\w+)[?+*]/g,"$1").replace(/:\w+/g,n=>{var s;return((s=e.params[n.slice(1)])==null?void 0:s.toString())||""}),Jr=(e,t)=>{const n=e.route.matched.find(r=>{var o;return((o=r.components)==null?void 0:o.default)===e.Component.type}),s=t??(n==null?void 0:n.meta.key)??(n&&Vg(e.route,n));return typeof s=="function"?s(e.route):s},Wg=(e,t)=>({default:()=>e?He(Nu,e===!0?{}:e,t):t});function Io(e){return Array.isArray(e)?e:[e]}const Kg="modulepreload",qg=function(e,t){return new URL(e,t).href},il={},zr=function(t,n,s){let r=Promise.resolve();if(n&&n.length>0){const i=document.getElementsByTagName("link"),l=document.querySelector("meta[property=csp-nonce]"),a=(l==null?void 0:l.nonce)||(l==null?void 0:l.getAttribute("nonce"));r=Promise.allSettled(n.map(f=>{if(f=qg(f,s),f in il)return;il[f]=!0;const c=f.endsWith(".css"),u=c?'[rel="stylesheet"]':"";if(!!s)for(let _=i.length-1;_>=0;_--){const E=i[_];if(E.href===f&&(!c||E.rel==="stylesheet"))return}else if(document.querySelector(`link[href="${f}"]${u}`))return;const p=document.createElement("link");if(p.rel=c?"stylesheet":Kg,c||(p.as="script"),p.crossOrigin="",p.href=f,a&&p.setAttribute("nonce",a),document.head.appendChild(p),c)return new Promise((_,E)=>{p.addEventListener("load",_),p.addEventListener("error",()=>E(new Error(`Unable to preload CSS for ${f}`)))})}))}function o(i){const l=new Event("vite:preloadError",{cancelable:!0});if(l.payload=i,window.dispatchEvent(l),!l.defaultPrevented)throw i}return r.then(i=>{for(const l of i||[])l.status==="rejected"&&o(l.reason);return t().catch(o)})},gr=[{name:"index",path:"/",component:()=>zr(()=>import("./BKf42UCq.js"),__vite__mapDeps([0,1]),import.meta.url)}],kc=(e,t,n)=>(t=t===!0?{}:t,{default:()=>{var s;return t?He(e,t,n):(s=n.default)==null?void 0:s.call(n)}});function ll(e){const t=(e==null?void 0:e.meta.key)??e.path.replace(/(:\w+)\([^)]+\)/g,"$1").replace(/(:\w+)[?+*]/g,"$1").replace(/:\w+/g,n=>{var s;return((s=e.params[n.slice(1)])==null?void 0:s.toString())||""});return typeof t=="function"?t(e):t}function Gg(e,t){return e===t||t===Je?!1:ll(e)!==ll(t)?!0:!e.matched.every((s,r)=>{var o,i;return s.components&&s.components.default===((i=(o=t.matched[r])==null?void 0:o.components)==null?void 0:i.default)})}const Jg={scrollBehavior(e,t,n){var f;const s=ge(),r=((f=qe().options)==null?void 0:f.scrollBehaviorType)??"auto";let o=n||void 0;const i=typeof e.meta.scrollToTop=="function"?e.meta.scrollToTop(e,t):e.meta.scrollToTop;if(!o&&t&&e&&i!==!1&&Gg(e,t)&&(o={left:0,top:0}),e.path===t.path)return t.hash&&!e.hash?{left:0,top:0}:e.hash?{el:e.hash,top:al(e.hash),behavior:r}:!1;const l=c=>!!(c.meta.pageTransition??Lr),a=l(t)&&l(e)?"page:transition:finish":"page:finish";return new Promise(c=>{s.hooks.hookOnce(a,async()=>{await new Promise(u=>setTimeout(u,0)),e.hash&&(o={el:e.hash,top:al(e.hash),behavior:r}),c(o)})})}};function al(e){try{const t=document.querySelector(e);if(t)return(Number.parseFloat(getComputedStyle(t).scrollMarginTop)||0)+(Number.parseFloat(getComputedStyle(document.documentElement).scrollPaddingTop)||0)}catch{}return 0}const zg={hashMode:!1,scrollBehaviorType:"auto"},Ue={...zg,...Jg},Qg=async e=>{var a;let t,n;if(!((a=e.meta)!=null&&a.validate))return;const s=ge(),r=qe(),o=([t,n]=hn(()=>Promise.resolve(e.meta.validate(e))),t=await t,n(),t);if(o===!0)return;const i=qs({statusCode:o&&o.statusCode||404,statusMessage:o&&o.statusMessage||`Page Not Found: ${e.fullPath}`,data:{path:e.fullPath}}),l=r.beforeResolve(f=>{if(l(),f===e){const c=r.afterEach(async()=>{c(),await s.runWithContext(()=>rn(i)),window==null||window.history.pushState({},"",e.fullPath)});return!1}})},Xg=async e=>{let t,n;const s=([t,n]=hn(()=>Ao(e.path)),t=await t,n(),t);if(s.redirect)return Qt(s.redirect,{acceptRelative:!0})?(window.location.href=s.redirect,!1):s.redirect},Yg=[Qg,Xg],Nn={};function Zg(e,t,n){const{pathname:s,search:r,hash:o}=t,i=e.indexOf("#");if(i>-1){const f=o.includes(e.slice(i))?e.slice(i).length:1;let c=o.slice(f);return c[0]!=="/"&&(c="/"+c),ki(c,"")}const l=ki(s,e),a=!n||Wd(l,n,{trailingSlash:!0})?l:n;return a+(a.includes("?")?"":r)+o}const em=lt({name:"nuxt:router",enforce:"pre",async setup(e){var k;let t,n,s=Ws().app.baseURL;Ue.hashMode&&!s.includes("#")&&(s+="#");const r=((k=Ue.history)==null?void 0:k.call(Ue,s))??(Ue.hashMode?yg(s):Ec(s)),o=Ue.routes?([t,n]=hn(()=>Ue.routes(gr)),t=await t,n(),t??gr):gr;let i;const l=Dg({...Ue,scrollBehavior:(T,w,g)=>{if(w===Je){i=g;return}if(Ue.scrollBehavior){if(l.options.scrollBehavior=Ue.scrollBehavior,"scrollRestoration"in window.history){const y=l.beforeEach(()=>{y(),window.history.scrollRestoration="manual"})}return Ue.scrollBehavior(T,Je,i||g)}},history:r,routes:o});"scrollRestoration"in window.history&&(window.history.scrollRestoration="auto"),e.vueApp.use(l);const a=Fn(l.currentRoute.value);l.afterEach((T,w)=>{a.value=w}),Object.defineProperty(e.vueApp.config.globalProperties,"previousRoute",{get:()=>a.value});const f=Zg(s,window.location,e.payload.path),c=Fn(l.currentRoute.value),u=()=>{c.value=l.currentRoute.value};e.hook("page:finish",u),l.afterEach((T,w)=>{var g,y,v,S;((y=(g=T.matched[0])==null?void 0:g.components)==null?void 0:y.default)===((S=(v=w.matched[0])==null?void 0:v.components)==null?void 0:S.default)&&u()});const d={};for(const T in c.value)Object.defineProperty(d,T,{get:()=>c.value[T],enumerable:!0});e._route=ht(d),e._middleware=e._middleware||{global:[],named:{}};const p=Ks();l.afterEach(async(T,w,g)=>{delete e._processingMiddleware,!e.isHydrating&&p.value&&await e.runWithContext(Uh),g&&await e.callHook("page:loading:end"),T.matched.length===0&&await e.runWithContext(()=>rn(jr({statusCode:404,fatal:!1,statusMessage:`Page not found: ${T.fullPath}`,data:{path:T.fullPath}})))});try{[t,n]=hn(()=>l.isReady()),await t,n()}catch(T){[t,n]=hn(()=>e.runWithContext(()=>rn(T))),await t,n()}const _=f!==l.currentRoute.value.fullPath?l.resolve(f):l.currentRoute.value;u();const E=e.payload.state._layout;return l.beforeEach(async(T,w)=>{var g;await e.callHook("page:loading:start"),T.meta=It(T.meta),e.isHydrating&&E&&!At(T.meta.layout)&&(T.meta.layout=E),e._processingMiddleware=!0;{const y=new Set([...Yg,...e._middleware.global]);for(const v of T.matched){const S=v.meta.middleware;if(S)for(const H of Io(S))y.add(H)}{const v=await e.runWithContext(()=>Ao(T.path));if(v.appMiddleware)for(const S in v.appMiddleware)v.appMiddleware[S]?y.add(S):y.delete(S)}for(const v of y){const S=typeof v=="string"?e._middleware.named[v]||await((g=Nn[v])==null?void 0:g.call(Nn).then(B=>B.default||B)):v;if(!S)throw new Error(`Unknown route middleware: '${v}'.`);const H=await e.runWithContext(()=>S(T,w));if(!e.payload.serverRendered&&e.isHydrating&&(H===!1||H instanceof Error)){const B=H||jr({statusCode:404,statusMessage:`Page Not Found: ${f}`});return await e.runWithContext(()=>rn(B)),!1}if(H!==!0&&(H||H===!1))return H}}}),l.onError(async()=>{delete e._processingMiddleware,await e.callHook("page:loading:end")}),e.hooks.hookOnce("app:created",async()=>{try{"name"in _&&(_.name=void 0),await l.replace({..._,force:!0}),l.options.scrollBehavior=Ue.scrollBehavior}catch(T){await e.runWithContext(()=>rn(T))}}),{provide:{router:l}}}}),cl=globalThis.requestIdleCallback||(e=>{const t=Date.now(),n={didTimeout:!1,timeRemaining:()=>Math.max(0,50-(Date.now()-t))};return setTimeout(()=>{e(n)},1)}),Nm=globalThis.cancelIdleCallback||(e=>{clearTimeout(e)}),Lo=e=>{const t=ge();t.isHydrating?t.hooks.hookOnce("app:suspense:resolve",()=>{cl(()=>e())}):cl(()=>e())},tm=lt({name:"nuxt:payload",setup(e){qe().beforeResolve(async(t,n)=>{if(t.path===n.path)return;const s=await Ui(t.path);s&&Object.assign(e.static.data,s.data)}),Lo(()=>{var t;e.hooks.hook("link:prefetch",async n=>{const{hostname:s}=new URL(n,window.location.href);s===window.location.hostname&&await Ui(n)}),((t=navigator.connection)==null?void 0:t.effectiveType)!=="slow-2g"&&setTimeout(Gs,1e3)})}}),nm=lt(()=>{const e=qe();Lo(()=>{e.beforeResolve(async()=>{await new Promise(t=>{setTimeout(t,100),requestAnimationFrame(()=>{setTimeout(t,0)})})})})}),sm=lt(e=>{let t;async function n(){const s=await Gs();t&&clearTimeout(t),t=setTimeout(n,Hi);try{const r=await $fetch(ko("builds/latest.json")+`?${Date.now()}`);r.id!==s.id&&e.hooks.callHook("app:manifest:update",r)}catch{}}Lo(()=>{t=setTimeout(n,Hi)})});function rm(e={}){const t=e.path||window.location.pathname;let n={};try{n=Ps(sessionStorage.getItem("nuxt:reload")||"{}")}catch{}if(e.force||(n==null?void 0:n.path)!==t||(n==null?void 0:n.expires)<Date.now()){try{sessionStorage.setItem("nuxt:reload",JSON.stringify({path:t,expires:Date.now()+(e.ttl??1e4)}))}catch{}if(e.persistState)try{sessionStorage.setItem("nuxt:reload:state",JSON.stringify({state:ge().payload.state}))}catch{}window.location.pathname!==t?window.location.href=t:window.location.reload()}}const om=lt({name:"nuxt:chunk-reload",setup(e){const t=qe(),n=Ws(),s=new Set;t.beforeEach(()=>{s.clear()}),e.hook("app:chunkError",({error:o})=>{s.add(o)});function r(o){const l="href"in o&&o.href[0]==="#"?n.app.baseURL+o.href:So(n.app.baseURL,o.fullPath);rm({path:l,persistState:!0})}e.hook("app:manifest:update",()=>{t.beforeResolve(r)}),t.onError((o,i)=>{s.has(o)&&r(i)})}}),im=lt({name:"nuxt:global-components"}),xt={},lm=lt({name:"nuxt:prefetch",setup(e){const t=qe();e.hooks.hook("app:mounted",()=>{t.beforeEach(async n=>{var r;const s=(r=n==null?void 0:n.meta)==null?void 0:r.layout;s&&typeof xt[s]=="function"&&await xt[s]()})}),e.hooks.hook("link:prefetch",n=>{if(Qt(n))return;const s=t.resolve(n);if(!s)return;const r=s.meta.layout;let o=Io(s.meta.middleware);o=o.filter(i=>typeof i=="string");for(const i of o)typeof Nn[i]=="function"&&Nn[i]();r&&typeof xt[r]=="function"&&xt[r]()})}}),am=lt(()=>{}),cm=[jp,Dp,em,tm,nm,sm,om,im,lm,am],um=Lt({props:{vnode:{type:Object,required:!0},route:{type:Object,required:!0},vnodeRef:Object,renderKey:String,trackRootNodes:Boolean},setup(e){const t=e.renderKey,n=e.route,s={};for(const r in e.route)Object.defineProperty(s,r,{get:()=>t===e.renderKey?e.route[r]:n[r],enumerable:!0});return Kt(Xn,ht(s)),()=>He(e.vnode,{ref:e.vnodeRef})}}),fm=Lt({name:"NuxtPage",inheritAttrs:!1,props:{name:{type:String},transition:{type:[Boolean,Object],default:void 0},keepalive:{type:[Boolean,Object],default:void 0},route:{type:Object},pageKey:{type:[Function,String],default:null}},setup(e,{attrs:t,slots:n,expose:s}){const r=ge(),o=gt(),i=Pe(Xn,null);let l;s({pageRef:o});const a=Pe(tc,null);let f;const c=r.deferHydration();if(r.isHydrating){const u=r.hooks.hookOnce("app:error",c);qe().beforeEach(u)}return e.pageKey&&fn(()=>e.pageKey,(u,d)=>{u!==d&&r.callHook("page:loading:start")}),()=>He(xc,{name:e.name,route:e.route,...t},{default:u=>{const d=hm(i,u.route,u.Component),p=i&&i.matched.length===u.route.matched.length;if(!u.Component){if(f&&!p)return f;c();return}if(f&&a&&!a.isCurrent(u.route))return f;if(d&&i&&(!a||a!=null&&a.isCurrent(i)))return p?f:null;const _=Jr(u,e.pageKey);!r.isHydrating&&!pm(i,u.route,u.Component)&&l===_&&r.callHook("page:loading:end"),l=_;const E=!!(e.transition??u.route.meta.pageTransition??Lr),k=E&&dm([e.transition,u.route.meta.pageTransition,Lr,{onAfterLeave:()=>{r.callHook("page:transition:finish",u.Component)}}].filter(Boolean)),T=e.keepalive??u.route.meta.keepalive??wh;return f=kc(La,E&&k,Wg(T,He(wo,{suspensible:!0,onPending:()=>r.callHook("page:start",u.Component),onResolve:()=>{zt(()=>r.callHook("page:finish",u.Component).then(()=>r.callHook("page:loading:end")).finally(c))}},{default:()=>{const w=He(um,{key:_||void 0,vnode:n.default?He(Ce,void 0,n.default(u)):u.Component,route:u.route,renderKey:_||void 0,trackRootNodes:E,vnodeRef:o});return T&&(w.type.name=u.Component.type.name||u.Component.type.__name||"RouteProvider"),w}}))).default(),f}})}});function dm(e){const t=e.map(n=>({...n,onAfterLeave:n.onAfterLeave?Io(n.onAfterLeave):void 0}));return Za(...t)}function hm(e,t,n){if(!e)return!1;const s=t.matched.findIndex(r=>{var o;return((o=r.components)==null?void 0:o.default)===(n==null?void 0:n.type)});return!s||s===-1?!1:t.matched.slice(0,s).some((r,o)=>{var i,l,a;return((i=r.components)==null?void 0:i.default)!==((a=(l=e.matched[o])==null?void 0:l.components)==null?void 0:a.default)})||n&&Jr({route:t,Component:n})!==Jr({route:e,Component:n})}function pm(e,t,n){return e?t.matched.findIndex(r=>{var o;return((o=r.components)==null?void 0:o.default)===(n==null?void 0:n.type)})<t.matched.length-1:!1}const gm=Lt({name:"LayoutLoader",inheritAttrs:!1,props:{name:String,layoutProps:Object},async setup(e,t){const n=await xt[e.name]().then(s=>s.default||s);return()=>He(n,e.layoutProps,t.slots)}}),mm=Lt({name:"NuxtLayout",inheritAttrs:!1,props:{name:{type:[String,Boolean,Object],default:null},fallback:{type:[String,Object],default:null}},setup(e,t){const n=ge(),s=Pe(Xn),r=s===Po()?Bg():s,o=Ve(()=>{let a=fe(e.name)??r.meta.layout??"default";return a&&!(a in xt)&&e.fallback&&(a=fe(e.fallback)),a}),i=gt();t.expose({layoutRef:i});const l=n.deferHydration();if(n.isHydrating){const a=n.hooks.hookOnce("app:error",l);qe().beforeEach(a)}return()=>{const a=o.value&&o.value in xt,f=r.meta.layoutTransition??vh;return kc(La,a&&f,{default:()=>He(wo,{suspensible:!0,onResolve:()=>{zt(l)}},{default:()=>He(ym,{layoutProps:Pa(t.attrs,{ref:i}),key:o.value||void 0,name:o.value,shouldProvide:!e.name,hasTransition:!!f},t.slots)})}).default()}}}),ym=Lt({name:"NuxtLayoutProvider",inheritAttrs:!1,props:{name:{type:[String,Boolean]},layoutProps:{type:Object},hasTransition:{type:Boolean},shouldProvide:{type:Boolean}},setup(e,t){const n=e.name;return e.shouldProvide&&Kt(tc,{isCurrent:s=>n===(s.meta.layout??"default")}),()=>{var s,r;return!n||typeof n=="string"&&!(n in xt)?(r=(s=t.slots).default)==null?void 0:r.call(s):He(gm,{key:n,layoutProps:e.layoutProps,name:n},t.slots)}}}),_m=(e,t)=>{const n=e.__vccOpts||e;for(const[s,r]of t)n[s]=r;return n},bm={};function vm(e,t){const n=fm,s=mm;return Be(),rt(s,null,{default:ho(()=>[pe(n)]),_:1})}const wm=_m(bm,[["render",vm]]),Em={__name:"nuxt-error-page",props:{error:Object},setup(e){const n=e.error;n.stack&&n.stack.split(`
24
- `).splice(1).map(u=>({text:u.replace("webpack:/","").replace(".vue",".js").trim(),internal:u.includes("node_modules")&&!u.includes(".cache")||u.includes("internal")||u.includes("new Promise")})).map(u=>`<span class="stack${u.internal?" internal":""}">${u.text}</span>`).join(`
25
- `);const s=Number(n.statusCode||500),r=s===404,o=n.statusMessage??(r?"Page Not Found":"Internal Server Error"),i=n.message||n.toString(),l=void 0,c=r?Qo(()=>zr(()=>import("./Ch07F_Ul.js"),__vite__mapDeps([2,3,4]),import.meta.url)):Qo(()=>zr(()=>import("./DbuEOF3O.js"),__vite__mapDeps([5,3,6]),import.meta.url));return(u,d)=>(Be(),rt(fe(c),Fc(xa({statusCode:fe(s),statusMessage:fe(o),description:fe(i),stack:fe(l)})),null,16))}},Tm={key:0},ul={__name:"nuxt-root",setup(e){const t=()=>null,n=ge(),s=n.deferHydration();if(n.isHydrating){const a=n.hooks.hookOnce("app:error",s);qe().beforeEach(a)}const r=!1;Kt(Xn,Po()),n.hooks.callHookWith(a=>a.map(f=>f()),"vue:setup");const o=Ks(),i=!1;Yl((a,f,c)=>{if(n.hooks.callHook("vue:error",a,f,c).catch(u=>console.error("[nuxt] Error in `vue:error` hook",u)),Bh(a)&&(a.fatal||a.unhandled))return n.runWithContext(()=>rn(a)),!1});const l=!1;return(a,f)=>(Be(),rt(wo,{onResolve:fe(s)},{default:ho(()=>[fe(i)?(Be(),Cf("div",Tm)):fe(o)?(Be(),rt(fe(Em),{key:1,error:fe(o)},null,8,["error"])):fe(l)?(Be(),rt(fe(t),{key:2,context:fe(l)},null,8,["context"])):fe(r)?(Be(),rt(Ku(fe(r)),{key:3})):(Be(),rt(fe(wm),{key:4}))]),_:1},8,["onResolve"]))}};let fl;{let e;fl=async function(){var i,l;if(e)return e;const s=!!(((i=window.__NUXT__)==null?void 0:i.serverRendered)??((l=document.getElementById("__NUXT_DATA__"))==null?void 0:l.dataset.ssr)==="true")?pd(ul):hd(ul),r=Sh({vueApp:s});async function o(a){await r.callHook("app:error",a),r.payload.error=r.payload.error||qs(a)}s.config.errorHandler=o;try{await Ph(r,cm)}catch(a){o(a)}try{await r.hooks.callHook("app:created",s),await r.hooks.callHook("app:beforeMount",s),s.mount(Th),await r.hooks.callHook("app:mounted",s),await zt()}catch(a){o(a)}return s.config.errorHandler===o&&(s.config.errorHandler=void 0),s},e=fl().catch(t=>{throw console.error("Error while mounting app:",t),t})}export{ho as A,ka as B,Lm as C,Pm as D,fn as E,ju as F,$u as G,Br as H,To as I,js as J,zt as K,km as L,Cm as M,Mm as N,fe as O,Pa as P,we as Q,rt as R,Am as S,Fn as T,Rm as U,Ce as V,xm as W,Om as X,_m as _,ge as a,Lo as b,cl as c,Lt as d,mo as e,Nm as f,Sm as g,He as h,Ve as i,Qt as j,Dh as k,So as l,Im as m,Hm as n,go as o,Od as p,Ws as q,gt as r,Co as s,Be as t,qe as u,Cf as v,Mr as w,Sa as x,Vc as y,pe as z};
@@ -1 +0,0 @@
1
- {"id":"fff2eb15-13a3-4063-86e7-990068006f7e","timestamp":1729345399877,"matcher":{"static":{},"wildcard":{},"dynamic":{}},"prerendered":[]}
@@ -1,11 +0,0 @@
1
- import type { GraphqlResponse } from '#graphql-middleware-server-options-build';
2
- import { type GraphqlMiddlewareQueryName, type GetQueryArgs, type QueryObjectArgs, type GetQueryResult, type GraphqlMiddlewareMutationName, type GetMutationArgs, type MutationObjectArgs, type GetMutationResult } from './shared.js';
3
- import type { GraphqlMiddlewareQuery, GraphqlMiddlewareMutation } from '#build/nuxt-graphql-middleware';
4
- /**
5
- * Performs a GraphQL query.
6
- */
7
- export declare function useGraphqlQuery<T extends GraphqlMiddlewareQueryName, R extends GetQueryResult<T, GraphqlMiddlewareQuery>>(...args: GetQueryArgs<T, GraphqlMiddlewareQuery> | [QueryObjectArgs<T, GraphqlMiddlewareQuery>]): Promise<GraphqlResponse<R>>;
8
- /**
9
- * Performs a GraphQL mutation.
10
- */
11
- export declare function useGraphqlMutation<T extends GraphqlMiddlewareMutationName, R extends GetMutationResult<T, GraphqlMiddlewareMutation>>(...args: GetMutationArgs<T, GraphqlMiddlewareMutation> | [MutationObjectArgs<T, GraphqlMiddlewareMutation>]): Promise<GraphqlResponse<R>>;
@@ -1,29 +0,0 @@
1
- import {
2
- getEndpoint
3
- } from "./shared.js";
4
- import { buildRequestParams } from "./../helpers/index.js";
5
- function performRequest(operation, operationName, method, options) {
6
- return $fetch(getEndpoint(operation, operationName), {
7
- ...options,
8
- method
9
- }).then((v) => {
10
- return {
11
- data: v.data,
12
- errors: v.errors || []
13
- };
14
- });
15
- }
16
- export function useGraphqlQuery(...args) {
17
- const [name, variables, fetchOptions = {}] = typeof args[0] === "string" ? [args[0], args[1]] : [args[0].name, args[0].variables, args[0].fetchOptions];
18
- return performRequest("query", name, "get", {
19
- params: buildRequestParams(variables),
20
- ...fetchOptions
21
- });
22
- }
23
- export function useGraphqlMutation(...args) {
24
- const [name, body, fetchOptions = {}] = typeof args[0] === "string" ? [args[0], args[1]] : [args[0].name, args[0].variables, args[0].fetchOptions];
25
- return performRequest("mutation", name, "post", {
26
- body,
27
- ...fetchOptions
28
- });
29
- }
@@ -1,5 +0,0 @@
1
- import { useRuntimeConfig } from "#imports";
2
- export function getEndpoint(operation, operationName) {
3
- const config = useRuntimeConfig();
4
- return `${config?.public?.["nuxt-graphql-middleware"]?.serverApiPrefix}/${operation}/${operationName}`;
5
- }