@vue/compiler-dom 3.2.41 → 3.2.43

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.
@@ -88,10 +88,14 @@ function generateCodeFrame(source, start = 0, end = source.length) {
88
88
  }
89
89
 
90
90
  const listDelimiterRE = /;(?![^(]*\))/g;
91
- const propertyDelimiterRE = /:(.+)/;
91
+ const propertyDelimiterRE = /:([^]+)/;
92
+ const styleCommentRE = /\/\*.*?\*\//gs;
92
93
  function parseStringStyle(cssText) {
93
94
  const ret = {};
94
- cssText.split(listDelimiterRE).forEach(item => {
95
+ cssText
96
+ .replace(styleCommentRE, '')
97
+ .split(listDelimiterRE)
98
+ .forEach(item => {
95
99
  if (item) {
96
100
  const tmp = item.split(propertyDelimiterRE);
97
101
  tmp.length > 1 && (ret[tmp[0].trim()] = tmp[1].trim());
@@ -774,7 +778,10 @@ function injectProp(node, prop, context) {
774
778
  // if doesn't override user provided keys
775
779
  const first = props.arguments[0];
776
780
  if (!isString(first) && first.type === 15 /* NodeTypes.JS_OBJECT_EXPRESSION */) {
777
- first.properties.unshift(prop);
781
+ // #6631
782
+ if (!hasProp(prop, first)) {
783
+ first.properties.unshift(prop);
784
+ }
778
785
  }
779
786
  else {
780
787
  if (props.callee === TO_HANDLERS) {
@@ -791,14 +798,7 @@ function injectProp(node, prop, context) {
791
798
  !propsWithInjection && (propsWithInjection = props);
792
799
  }
793
800
  else if (props.type === 15 /* NodeTypes.JS_OBJECT_EXPRESSION */) {
794
- let alreadyExists = false;
795
- // check existing key to avoid overriding user provided keys
796
- if (prop.key.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */) {
797
- const propKeyName = prop.key.content;
798
- alreadyExists = props.properties.some(p => p.key.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */ &&
799
- p.key.content === propKeyName);
800
- }
801
- if (!alreadyExists) {
801
+ if (!hasProp(prop, props)) {
802
802
  props.properties.unshift(prop);
803
803
  }
804
804
  propsWithInjection = props;
@@ -833,6 +833,16 @@ function injectProp(node, prop, context) {
833
833
  }
834
834
  }
835
835
  }
836
+ // check existing key to avoid overriding user provided keys
837
+ function hasProp(prop, props) {
838
+ let result = false;
839
+ if (prop.key.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */) {
840
+ const propKeyName = prop.key.content;
841
+ result = props.properties.some(p => p.key.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */ &&
842
+ p.key.content === propKeyName);
843
+ }
844
+ return result;
845
+ }
836
846
  function toValidAssetId(name, type) {
837
847
  // see issue#4422, we need adding identifier on validAssetId if variable `name` has specific character
838
848
  return `_${type}_${name.replace(/[^\w]/g, (searchValue, replaceValue) => {
@@ -1147,13 +1157,18 @@ function parseChildren(context, mode, ancestors) {
1147
1157
  const next = nodes[i + 1];
1148
1158
  // Remove if:
1149
1159
  // - the whitespace is the first or last node, or:
1150
- // - (condense mode) the whitespace is adjacent to a comment, or:
1160
+ // - (condense mode) the whitespace is between twos comments, or:
1161
+ // - (condense mode) the whitespace is between comment and element, or:
1151
1162
  // - (condense mode) the whitespace is between two elements AND contains newline
1152
1163
  if (!prev ||
1153
1164
  !next ||
1154
1165
  (shouldCondense &&
1155
- (prev.type === 3 /* NodeTypes.COMMENT */ ||
1156
- next.type === 3 /* NodeTypes.COMMENT */ ||
1166
+ ((prev.type === 3 /* NodeTypes.COMMENT */ &&
1167
+ next.type === 3 /* NodeTypes.COMMENT */) ||
1168
+ (prev.type === 3 /* NodeTypes.COMMENT */ &&
1169
+ next.type === 1 /* NodeTypes.ELEMENT */) ||
1170
+ (prev.type === 1 /* NodeTypes.ELEMENT */ &&
1171
+ next.type === 3 /* NodeTypes.COMMENT */) ||
1157
1172
  (prev.type === 1 /* NodeTypes.ELEMENT */ &&
1158
1173
  next.type === 1 /* NodeTypes.ELEMENT */ &&
1159
1174
  /[\r\n]/.test(node.content))))) {
@@ -3115,6 +3130,19 @@ asRawStatements = false, localVars = Object.create(context.identifiers)) {
3115
3130
  return node;
3116
3131
  }
3117
3132
  }
3133
+ function stringifyExpression(exp) {
3134
+ if (isString(exp)) {
3135
+ return exp;
3136
+ }
3137
+ else if (exp.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */) {
3138
+ return exp.content;
3139
+ }
3140
+ else {
3141
+ return exp.children
3142
+ .map(stringifyExpression)
3143
+ .join('');
3144
+ }
3145
+ }
3118
3146
 
3119
3147
  const transformIf = createStructuralDirectiveTransform(/^(if|else|else-if)$/, (node, dir, context) => {
3120
3148
  return processIf(node, dir, context, (ifNode, branch, isRoot) => {
@@ -4476,7 +4504,7 @@ function processSlotOutlet(node, context) {
4476
4504
  };
4477
4505
  }
4478
4506
 
4479
- const fnExpRE = /^\s*([\w$_]+|(async\s*)?\([^)]*?\))\s*=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/;
4507
+ const fnExpRE = /^\s*([\w$_]+|(async\s*)?\([^)]*?\))\s*(:[^=]+)?=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/;
4480
4508
  const transformOn = (dir, node, context, augmentor) => {
4481
4509
  const { loc, modifiers, arg } = dir;
4482
4510
  if (!dir.exp && !modifiers.length) {
@@ -4490,10 +4518,10 @@ const transformOn = (dir, node, context, augmentor) => {
4490
4518
  if (rawName.startsWith('vue:')) {
4491
4519
  rawName = `vnode-${rawName.slice(4)}`;
4492
4520
  }
4493
- const eventString = node.tagType === 1 /* ElementTypes.COMPONENT */ ||
4521
+ const eventString = node.tagType !== 0 /* ElementTypes.ELEMENT */ ||
4494
4522
  rawName.startsWith('vnode') ||
4495
4523
  !/[A-Z]/.test(rawName)
4496
- ? // for component and vnode lifecycle event listeners, auto convert
4524
+ ? // for non-element and vnode lifecycle event listeners, auto convert
4497
4525
  // it to camelCase. See issue #2249
4498
4526
  toHandlerKey(camelize(rawName))
4499
4527
  : // preserve case for plain element listeners that have uppercase
@@ -5514,4 +5542,4 @@ function parse(template, options = {}) {
5514
5542
  return baseParse(template, extend({}, parserOptions, options));
5515
5543
  }
5516
5544
 
5517
- export { BASE_TRANSITION, CAMELIZE, CAPITALIZE, CREATE_BLOCK, CREATE_COMMENT, CREATE_ELEMENT_BLOCK, CREATE_ELEMENT_VNODE, CREATE_SLOTS, CREATE_STATIC, CREATE_TEXT, CREATE_VNODE, DOMDirectiveTransforms, DOMNodeTransforms, FRAGMENT, GUARD_REACTIVE_PROPS, IS_MEMO_SAME, IS_REF, KEEP_ALIVE, MERGE_PROPS, NORMALIZE_CLASS, NORMALIZE_PROPS, NORMALIZE_STYLE, OPEN_BLOCK, POP_SCOPE_ID, PUSH_SCOPE_ID, RENDER_LIST, RENDER_SLOT, RESOLVE_COMPONENT, RESOLVE_DIRECTIVE, RESOLVE_DYNAMIC_COMPONENT, RESOLVE_FILTER, SET_BLOCK_TRACKING, SUSPENSE, TELEPORT, TO_DISPLAY_STRING, TO_HANDLERS, TO_HANDLER_KEY, TRANSITION, TRANSITION_GROUP, UNREF, V_MODEL_CHECKBOX, V_MODEL_DYNAMIC, V_MODEL_RADIO, V_MODEL_SELECT, V_MODEL_TEXT, V_ON_WITH_KEYS, V_ON_WITH_MODIFIERS, V_SHOW, WITH_CTX, WITH_DIRECTIVES, WITH_MEMO, advancePositionWithClone, advancePositionWithMutation, assert, baseCompile, baseParse, buildDirectiveArgs, buildProps, buildSlots, checkCompatEnabled, compile, createArrayExpression, createAssignmentExpression, createBlockStatement, createCacheExpression, createCallExpression, createCompilerError, createCompoundExpression, createConditionalExpression, createDOMCompilerError, createForLoopParams, createFunctionExpression, createIfStatement, createInterpolation, createObjectExpression, createObjectProperty, createReturnStatement, createRoot, createSequenceExpression, createSimpleExpression, createStructuralDirectiveTransform, createTemplateLiteral, createTransformContext, createVNodeCall, extractIdentifiers, findDir, findProp, generate, generateCodeFrame, getBaseTransformPreset, getConstantType, getInnerRange, getMemoedVNodeCall, getVNodeBlockHelper, getVNodeHelper, hasDynamicKeyVBind, hasScopeRef, helperNameMap, injectProp, isBuiltInType, isCoreComponent, isFunctionType, isInDestructureAssignment, isMemberExpression, isMemberExpressionBrowser, isMemberExpressionNode, isReferencedIdentifier, isSimpleIdentifier, isSlotOutlet, isStaticArgOf, isStaticExp, isStaticProperty, isStaticPropertyKey, isTemplateNode, isText, isVSlot, locStub, makeBlock, noopDirectiveTransform, parse, parserOptions, processExpression, processFor, processIf, processSlotOutlet, registerRuntimeHelpers, resolveComponentType, toValidAssetId, trackSlotScopes, trackVForSlotScopes, transform, transformBind, transformElement, transformExpression, transformModel, transformOn, transformStyle, traverseNode, walkBlockDeclarations, walkFunctionParams, walkIdentifiers, warnDeprecation };
5545
+ export { BASE_TRANSITION, CAMELIZE, CAPITALIZE, CREATE_BLOCK, CREATE_COMMENT, CREATE_ELEMENT_BLOCK, CREATE_ELEMENT_VNODE, CREATE_SLOTS, CREATE_STATIC, CREATE_TEXT, CREATE_VNODE, DOMDirectiveTransforms, DOMNodeTransforms, FRAGMENT, GUARD_REACTIVE_PROPS, IS_MEMO_SAME, IS_REF, KEEP_ALIVE, MERGE_PROPS, NORMALIZE_CLASS, NORMALIZE_PROPS, NORMALIZE_STYLE, OPEN_BLOCK, POP_SCOPE_ID, PUSH_SCOPE_ID, RENDER_LIST, RENDER_SLOT, RESOLVE_COMPONENT, RESOLVE_DIRECTIVE, RESOLVE_DYNAMIC_COMPONENT, RESOLVE_FILTER, SET_BLOCK_TRACKING, SUSPENSE, TELEPORT, TO_DISPLAY_STRING, TO_HANDLERS, TO_HANDLER_KEY, TRANSITION, TRANSITION_GROUP, UNREF, V_MODEL_CHECKBOX, V_MODEL_DYNAMIC, V_MODEL_RADIO, V_MODEL_SELECT, V_MODEL_TEXT, V_ON_WITH_KEYS, V_ON_WITH_MODIFIERS, V_SHOW, WITH_CTX, WITH_DIRECTIVES, WITH_MEMO, advancePositionWithClone, advancePositionWithMutation, assert, baseCompile, baseParse, buildDirectiveArgs, buildProps, buildSlots, checkCompatEnabled, compile, createArrayExpression, createAssignmentExpression, createBlockStatement, createCacheExpression, createCallExpression, createCompilerError, createCompoundExpression, createConditionalExpression, createDOMCompilerError, createForLoopParams, createFunctionExpression, createIfStatement, createInterpolation, createObjectExpression, createObjectProperty, createReturnStatement, createRoot, createSequenceExpression, createSimpleExpression, createStructuralDirectiveTransform, createTemplateLiteral, createTransformContext, createVNodeCall, extractIdentifiers, findDir, findProp, generate, generateCodeFrame, getBaseTransformPreset, getConstantType, getInnerRange, getMemoedVNodeCall, getVNodeBlockHelper, getVNodeHelper, hasDynamicKeyVBind, hasScopeRef, helperNameMap, injectProp, isBuiltInType, isCoreComponent, isFunctionType, isInDestructureAssignment, isMemberExpression, isMemberExpressionBrowser, isMemberExpressionNode, isReferencedIdentifier, isSimpleIdentifier, isSlotOutlet, isStaticArgOf, isStaticExp, isStaticProperty, isStaticPropertyKey, isTemplateNode, isText, isVSlot, locStub, makeBlock, noopDirectiveTransform, parse, parserOptions, processExpression, processFor, processIf, processSlotOutlet, registerRuntimeHelpers, resolveComponentType, stringifyExpression, toValidAssetId, trackSlotScopes, trackVForSlotScopes, transform, transformBind, transformElement, transformExpression, transformModel, transformOn, transformStyle, traverseNode, walkBlockDeclarations, walkFunctionParams, walkIdentifiers, warnDeprecation };
@@ -1 +1 @@
1
- function e(e,t){const n=Object.create(null),o=e.split(",");for(let r=0;r<o.length;r++)n[o[r]]=!0;return t?e=>!!n[e.toLowerCase()]:e=>!!n[e]}function t(e,t=0,n=e.length){let o=e.split(/(\r?\n)/);const r=o.filter(((e,t)=>t%2==1));o=o.filter(((e,t)=>t%2==0));let s=0;const i=[];for(let c=0;c<o.length;c++)if(s+=o[c].length+(r[c]&&r[c].length||0),s>=t){for(let e=c-2;e<=c+2||n>s;e++){if(e<0||e>=o.length)continue;const l=e+1;i.push(`${l}${" ".repeat(Math.max(3-String(l).length,0))}| ${o[e]}`);const a=o[e].length,p=r[e]&&r[e].length||0;if(e===c){const e=t-(s-(a+p)),o=Math.max(1,n>s?a-e:n-t);i.push(" | "+" ".repeat(e)+"^".repeat(o))}else if(e>c){if(n>s){const e=Math.max(Math.min(n-s,a),1);i.push(" | "+"^".repeat(e))}s+=a+p}}break}return i.join("\n")}const n=/;(?![^(]*\))/g,o=/:(.+)/;const r=e("html,body,base,head,link,meta,style,title,address,article,aside,footer,header,h1,h2,h3,h4,h5,h6,nav,section,div,dd,dl,dt,figcaption,figure,picture,hr,img,li,main,ol,p,pre,ul,a,b,abbr,bdi,bdo,br,cite,code,data,dfn,em,i,kbd,mark,q,rp,rt,ruby,s,samp,small,span,strong,sub,sup,time,u,var,wbr,area,audio,map,track,video,embed,object,param,source,canvas,script,noscript,del,ins,caption,col,colgroup,table,thead,tbody,td,th,tr,button,datalist,fieldset,form,input,label,legend,meter,optgroup,option,output,progress,select,textarea,details,dialog,menu,summary,template,blockquote,iframe,tfoot"),s=e("svg,animate,animateMotion,animateTransform,circle,clipPath,color-profile,defs,desc,discard,ellipse,feBlend,feColorMatrix,feComponentTransfer,feComposite,feConvolveMatrix,feDiffuseLighting,feDisplacementMap,feDistanceLight,feDropShadow,feFlood,feFuncA,feFuncB,feFuncG,feFuncR,feGaussianBlur,feImage,feMerge,feMergeNode,feMorphology,feOffset,fePointLight,feSpecularLighting,feSpotLight,feTile,feTurbulence,filter,foreignObject,g,hatch,hatchpath,image,line,linearGradient,marker,mask,mesh,meshgradient,meshpatch,meshrow,metadata,mpath,path,pattern,polygon,polyline,radialGradient,rect,set,solidcolor,stop,switch,symbol,text,textPath,title,tspan,unknown,use,view"),i=e("area,base,br,col,embed,hr,img,input,link,meta,param,source,track,wbr"),c={},l=()=>{},a=()=>!1,p=/^on[^a-z]/,u=e=>p.test(e),f=Object.assign,d=Array.isArray,h=e=>"string"==typeof e,m=e=>"symbol"==typeof e,g=e=>null!==e&&"object"==typeof e,y=e(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),v=e("bind,cloak,else-if,else,for,html,if,model,on,once,pre,show,slot,text,memo"),b=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},S=/-(\w)/g,x=b((e=>e.replace(S,((e,t)=>t?t.toUpperCase():"")))),k=/\B([A-Z])/g,N=b((e=>e.replace(k,"-$1").toLowerCase())),_=b((e=>e.charAt(0).toUpperCase()+e.slice(1))),T=b((e=>e?`on${_(e)}`:""));function E(e){throw e}function w(e){}function $(e,t,n,o){const r=new SyntaxError(String(e));return r.code=e,r.loc=t,r}const O=Symbol(""),C=Symbol(""),M=Symbol(""),I=Symbol(""),P=Symbol(""),R=Symbol(""),V=Symbol(""),L=Symbol(""),B=Symbol(""),j=Symbol(""),A=Symbol(""),F=Symbol(""),D=Symbol(""),H=Symbol(""),W=Symbol(""),U=Symbol(""),J=Symbol(""),z=Symbol(""),G=Symbol(""),K=Symbol(""),q=Symbol(""),Z=Symbol(""),Y=Symbol(""),Q=Symbol(""),X=Symbol(""),ee=Symbol(""),te=Symbol(""),ne=Symbol(""),oe=Symbol(""),re=Symbol(""),se=Symbol(""),ie=Symbol(""),ce=Symbol(""),le=Symbol(""),ae=Symbol(""),pe=Symbol(""),ue=Symbol(""),fe=Symbol(""),de=Symbol(""),he={[O]:"Fragment",[C]:"Teleport",[M]:"Suspense",[I]:"KeepAlive",[P]:"BaseTransition",[R]:"openBlock",[V]:"createBlock",[L]:"createElementBlock",[B]:"createVNode",[j]:"createElementVNode",[A]:"createCommentVNode",[F]:"createTextVNode",[D]:"createStaticVNode",[H]:"resolveComponent",[W]:"resolveDynamicComponent",[U]:"resolveDirective",[J]:"resolveFilter",[z]:"withDirectives",[G]:"renderList",[K]:"renderSlot",[q]:"createSlots",[Z]:"toDisplayString",[Y]:"mergeProps",[Q]:"normalizeClass",[X]:"normalizeStyle",[ee]:"normalizeProps",[te]:"guardReactiveProps",[ne]:"toHandlers",[oe]:"camelize",[re]:"capitalize",[se]:"toHandlerKey",[ie]:"setBlockTracking",[ce]:"pushScopeId",[le]:"popScopeId",[ae]:"withCtx",[pe]:"unref",[ue]:"isRef",[fe]:"withMemo",[de]:"isMemoSame"};function me(e){Object.getOwnPropertySymbols(e).forEach((t=>{he[t]=e[t]}))}const ge={source:"",start:{line:1,column:1,offset:0},end:{line:1,column:1,offset:0}};function ye(e,t=ge){return{type:0,children:e,helpers:[],components:[],directives:[],hoists:[],imports:[],cached:0,temps:0,codegenNode:void 0,loc:t}}function ve(e,t,n,o,r,s,i,c=!1,l=!1,a=!1,p=ge){return e&&(c?(e.helper(R),e.helper(st(e.inSSR,a))):e.helper(rt(e.inSSR,a)),i&&e.helper(z)),{type:13,tag:t,props:n,children:o,patchFlag:r,dynamicProps:s,directives:i,isBlock:c,disableTracking:l,isComponent:a,loc:p}}function be(e,t=ge){return{type:17,loc:t,elements:e}}function Se(e,t=ge){return{type:15,loc:t,properties:e}}function xe(e,t){return{type:16,loc:ge,key:h(e)?ke(e,!0):e,value:t}}function ke(e,t=!1,n=ge,o=0){return{type:4,loc:n,content:e,isStatic:t,constType:t?3:o}}function Ne(e,t){return{type:5,loc:t,content:h(e)?ke(e,!1,t):e}}function _e(e,t=ge){return{type:8,loc:t,children:e}}function Te(e,t=[],n=ge){return{type:14,loc:n,callee:e,arguments:t}}function Ee(e,t,n=!1,o=!1,r=ge){return{type:18,params:e,returns:t,newline:n,isSlot:o,loc:r}}function we(e,t,n,o=!0){return{type:19,test:e,consequent:t,alternate:n,newline:o,loc:ge}}function $e(e,t,n=!1){return{type:20,index:e,value:t,isVNode:n,loc:ge}}function Oe(e){return{type:21,body:e,loc:ge}}function Ce(e){return{type:22,elements:e,loc:ge}}function Me(e,t,n){return{type:23,test:e,consequent:t,alternate:n,loc:ge}}function Ie(e,t){return{type:24,left:e,right:t,loc:ge}}function Pe(e){return{type:25,expressions:e,loc:ge}}function Re(e){return{type:26,returns:e,loc:ge}}const Ve=e=>4===e.type&&e.isStatic,Le=(e,t)=>e===t||e===N(t);function Be(e){return Le(e,"Teleport")?C:Le(e,"Suspense")?M:Le(e,"KeepAlive")?I:Le(e,"BaseTransition")?P:void 0}const je=/^\d|[^\$\w]/,Ae=e=>!je.test(e),Fe=/[A-Za-z_$\xA0-\uFFFF]/,De=/[\.\?\w$\xA0-\uFFFF]/,He=/\s+[.[]\s*|\s*[.[]\s+/g,We=e=>{e=e.trim().replace(He,(e=>e.trim()));let t=0,n=[],o=0,r=0,s=null;for(let i=0;i<e.length;i++){const c=e.charAt(i);switch(t){case 0:if("["===c)n.push(t),t=1,o++;else if("("===c)n.push(t),t=2,r++;else if(!(0===i?Fe:De).test(c))return!1;break;case 1:"'"===c||'"'===c||"`"===c?(n.push(t),t=3,s=c):"["===c?o++:"]"===c&&(--o||(t=n.pop()));break;case 2:if("'"===c||'"'===c||"`"===c)n.push(t),t=3,s=c;else if("("===c)r++;else if(")"===c){if(i===e.length-1)return!1;--r||(t=n.pop())}break;case 3:c===s&&(t=n.pop(),s=null)}}return!o&&!r},Ue=l,Je=We;function ze(e,t,n){const o={source:e.source.slice(t,t+n),start:Ge(e.start,e.source,t),end:e.end};return null!=n&&(o.end=Ge(e.start,e.source,t+n)),o}function Ge(e,t,n=t.length){return Ke(f({},e),t,n)}function Ke(e,t,n=t.length){let o=0,r=-1;for(let s=0;s<n;s++)10===t.charCodeAt(s)&&(o++,r=s);return e.offset+=n,e.line+=o,e.column=-1===r?e.column+n:n-r,e}function qe(e,t){if(!e)throw new Error(t||"unexpected compiler condition")}function Ze(e,t,n=!1){for(let o=0;o<e.props.length;o++){const r=e.props[o];if(7===r.type&&(n||r.exp)&&(h(t)?r.name===t:t.test(r.name)))return r}}function Ye(e,t,n=!1,o=!1){for(let r=0;r<e.props.length;r++){const s=e.props[r];if(6===s.type){if(n)continue;if(s.name===t&&(s.value||o))return s}else if("bind"===s.name&&(s.exp||o)&&Qe(s.arg,t))return s}}function Qe(e,t){return!(!e||!Ve(e)||e.content!==t)}function Xe(e){return e.props.some((e=>!(7!==e.type||"bind"!==e.name||e.arg&&4===e.arg.type&&e.arg.isStatic)))}function et(e){return 5===e.type||2===e.type}function tt(e){return 7===e.type&&"slot"===e.name}function nt(e){return 1===e.type&&3===e.tagType}function ot(e){return 1===e.type&&2===e.tagType}function rt(e,t){return e||t?B:j}function st(e,t){return e||t?V:L}const it=new Set([ee,te]);function ct(e,t=[]){if(e&&!h(e)&&14===e.type){const n=e.callee;if(!h(n)&&it.has(n))return ct(e.arguments[0],t.concat(e))}return[e,t]}function lt(e,t,n){let o,r,s=13===e.type?e.props:e.arguments[2],i=[];if(s&&!h(s)&&14===s.type){const e=ct(s);s=e[0],i=e[1],r=i[i.length-1]}if(null==s||h(s))o=Se([t]);else if(14===s.type){const e=s.arguments[0];h(e)||15!==e.type?s.callee===ne?o=Te(n.helper(Y),[Se([t]),s]):s.arguments.unshift(Se([t])):e.properties.unshift(t),!o&&(o=s)}else if(15===s.type){let e=!1;if(4===t.key.type){const n=t.key.content;e=s.properties.some((e=>4===e.key.type&&e.key.content===n))}e||s.properties.unshift(t),o=s}else o=Te(n.helper(Y),[Se([t]),s]),r&&r.callee===te&&(r=i[i.length-2]);13===e.type?r?r.arguments[0]=o:e.props=o:r?r.arguments[0]=o:e.arguments[2]=o}function at(e,t){return`_${t}_${e.replace(/[^\w]/g,((t,n)=>"-"===t?"_":e.charCodeAt(n).toString()))}`}function pt(e,t){if(!e||0===Object.keys(t).length)return!1;switch(e.type){case 1:for(let n=0;n<e.props.length;n++){const o=e.props[n];if(7===o.type&&(pt(o.arg,t)||pt(o.exp,t)))return!0}return e.children.some((e=>pt(e,t)));case 11:return!!pt(e.source,t)||e.children.some((e=>pt(e,t)));case 9:return e.branches.some((e=>pt(e,t)));case 10:return!!pt(e.condition,t)||e.children.some((e=>pt(e,t)));case 4:return!e.isStatic&&Ae(e.content)&&!!t[e.content];case 8:return e.children.some((e=>g(e)&&pt(e,t)));case 5:case 12:return pt(e.content,t);default:return!1}}function ut(e){return 14===e.type&&e.callee===fe?e.arguments[1].returns:e}function ft(e,{helper:t,removeHelper:n,inSSR:o}){e.isBlock||(e.isBlock=!0,n(rt(o,e.isComponent)),t(R),t(st(o,e.isComponent)))}const dt={COMPILER_IS_ON_ELEMENT:{message:'Platform-native elements with "is" prop will no longer be treated as components in Vue 3 unless the "is" value is explicitly prefixed with "vue:".',link:"https://v3-migration.vuejs.org/breaking-changes/custom-elements-interop.html"},COMPILER_V_BIND_SYNC:{message:e=>`.sync modifier for v-bind has been removed. Use v-model with argument instead. \`v-bind:${e}.sync\` should be changed to \`v-model:${e}\`.`,link:"https://v3-migration.vuejs.org/breaking-changes/v-model.html"},COMPILER_V_BIND_PROP:{message:".prop modifier for v-bind has been removed and no longer necessary. Vue 3 will automatically set a binding as DOM property when appropriate."},COMPILER_V_BIND_OBJECT_ORDER:{message:'v-bind="obj" usage is now order sensitive and behaves like JavaScript object spread: it will now overwrite an existing non-mergeable attribute that appears before v-bind in the case of conflict. To retain 2.x behavior, move v-bind to make it the first attribute. You can also suppress this warning if the usage is intended.',link:"https://v3-migration.vuejs.org/breaking-changes/v-bind.html"},COMPILER_V_ON_NATIVE:{message:".native modifier for v-on has been removed as is no longer necessary.",link:"https://v3-migration.vuejs.org/breaking-changes/v-on-native-modifier-removed.html"},COMPILER_V_IF_V_FOR_PRECEDENCE:{message:"v-if / v-for precedence when used on the same element has changed in Vue 3: v-if now takes higher precedence and will no longer have access to v-for scope variables. It is best to avoid the ambiguity with <template> tags or use a computed property that filters v-for data source.",link:"https://v3-migration.vuejs.org/breaking-changes/v-if-v-for.html"},COMPILER_NATIVE_TEMPLATE:{message:"<template> with no special directives will render as a native template element instead of its inner content in Vue 3."},COMPILER_INLINE_TEMPLATE:{message:'"inline-template" has been removed in Vue 3.',link:"https://v3-migration.vuejs.org/breaking-changes/inline-template-attribute.html"},COMPILER_FILTER:{message:'filters have been removed in Vue 3. The "|" symbol will be treated as native JavaScript bitwise OR operator. Use method calls or computed properties instead.',link:"https://v3-migration.vuejs.org/breaking-changes/filters.html"}};function ht(e,t){const n=t.options?t.options.compatConfig:t.compatConfig,o=n&&n[e];return"MODE"===e?o||3:o}function mt(e,t){const n=ht("MODE",t),o=ht(e,t);return 3===n?!0===o:!1!==o}function gt(e,t,n,...o){return mt(e,t)}function yt(e,t,n,...o){if("suppress-warning"===ht(e,t))return;const{message:r,link:s}=dt[e],i=`(deprecation ${e}) ${"function"==typeof r?r(...o):r}${s?`\n Details: ${s}`:""}`,c=new SyntaxError(i);c.code=e,n&&(c.loc=n),t.onWarn(c)}const vt=/&(gt|lt|amp|apos|quot);/g,bt={gt:">",lt:"<",amp:"&",apos:"'",quot:'"'},St={delimiters:["{{","}}"],getNamespace:()=>0,getTextMode:()=>0,isVoidTag:a,isPreTag:a,isCustomElement:a,decodeEntities:e=>e.replace(vt,((e,t)=>bt[t])),onError:E,onWarn:w,comments:!1};function xt(e,t={}){const n=function(e,t){const n=f({},St);let o;for(o in t)n[o]=void 0===t[o]?St[o]:t[o];return{options:n,column:1,line:1,offset:0,originalSource:e,source:e,inPre:!1,inVPre:!1,onWarn:n.onWarn}}(e,t),o=Vt(n);return ye(kt(n,0,[]),Lt(n,o))}function kt(e,t,n){const o=Bt(n),r=o?o.ns:0,s=[];for(;!Ht(e,t,n);){const i=e.source;let c;if(0===t||1===t)if(!e.inVPre&&jt(i,e.options.delimiters[0]))c=It(e,t);else if(0===t&&"<"===i[0])if(1===i.length);else if("!"===i[1])c=jt(i,"\x3c!--")?Tt(e):jt(i,"<!DOCTYPE")?Et(e):jt(i,"<![CDATA[")&&0!==r?_t(e,n):Et(e);else if("/"===i[1])if(2===i.length);else{if(">"===i[2]){At(e,3);continue}if(/[a-z]/i.test(i[2])){Ot(e,1,o);continue}c=Et(e)}else/[a-z]/i.test(i[1])?(c=wt(e,n),mt("COMPILER_NATIVE_TEMPLATE",e)&&c&&"template"===c.tag&&!c.props.some((e=>7===e.type&&$t(e.name)))&&(c=c.children)):"?"===i[1]&&(c=Et(e));if(c||(c=Pt(e,t)),d(c))for(let e=0;e<c.length;e++)Nt(s,c[e]);else Nt(s,c)}let i=!1;if(2!==t&&1!==t){const t="preserve"!==e.options.whitespace;for(let n=0;n<s.length;n++){const o=s[n];if(2===o.type)if(e.inPre)o.content=o.content.replace(/\r\n/g,"\n");else if(/[^\t\r\n\f ]/.test(o.content))t&&(o.content=o.content.replace(/[\t\r\n\f ]+/g," "));else{const e=s[n-1],r=s[n+1];!e||!r||t&&(3===e.type||3===r.type||1===e.type&&1===r.type&&/[\r\n]/.test(o.content))?(i=!0,s[n]=null):o.content=" "}else 3!==o.type||e.options.comments||(i=!0,s[n]=null)}if(e.inPre&&o&&e.options.isPreTag(o.tag)){const e=s[0];e&&2===e.type&&(e.content=e.content.replace(/^\r?\n/,""))}}return i?s.filter(Boolean):s}function Nt(e,t){if(2===t.type){const n=Bt(e);if(n&&2===n.type&&n.loc.end.offset===t.loc.start.offset)return n.content+=t.content,n.loc.end=t.loc.end,void(n.loc.source+=t.loc.source)}e.push(t)}function _t(e,t){At(e,9);const n=kt(e,3,t);return 0===e.source.length||At(e,3),n}function Tt(e){const t=Vt(e);let n;const o=/--(\!)?>/.exec(e.source);if(o){n=e.source.slice(4,o.index);const t=e.source.slice(0,o.index);let r=1,s=0;for(;-1!==(s=t.indexOf("\x3c!--",r));)At(e,s-r+1),r=s+1;At(e,o.index+o[0].length-r+1)}else n=e.source.slice(4),At(e,e.source.length);return{type:3,content:n,loc:Lt(e,t)}}function Et(e){const t=Vt(e),n="?"===e.source[1]?1:2;let o;const r=e.source.indexOf(">");return-1===r?(o=e.source.slice(n),At(e,e.source.length)):(o=e.source.slice(n,r),At(e,r+1)),{type:3,content:o,loc:Lt(e,t)}}function wt(e,t){const n=e.inPre,o=e.inVPre,r=Bt(t),s=Ot(e,0,r),i=e.inPre&&!n,c=e.inVPre&&!o;if(s.isSelfClosing||e.options.isVoidTag(s.tag))return i&&(e.inPre=!1),c&&(e.inVPre=!1),s;t.push(s);const l=e.options.getTextMode(s,r),a=kt(e,l,t);t.pop();{const t=s.props.find((e=>6===e.type&&"inline-template"===e.name));if(t&&gt("COMPILER_INLINE_TEMPLATE",e)){const n=Lt(e,s.loc.end);t.value={type:2,content:n.source,loc:n}}}if(s.children=a,Wt(e.source,s.tag))Ot(e,1,r);else if(0===e.source.length&&"script"===s.tag.toLowerCase()){const e=a[0];e&&jt(e.loc.source,"\x3c!--")}return s.loc=Lt(e,s.loc.start),i&&(e.inPre=!1),c&&(e.inVPre=!1),s}const $t=e("if,else,else-if,for,slot");function Ot(e,t,n){const o=Vt(e),r=/^<\/?([a-z][^\t\r\n\f />]*)/i.exec(e.source),s=r[1],i=e.options.getNamespace(s,n);At(e,r[0].length),Ft(e);const c=Vt(e),l=e.source;e.options.isPreTag(s)&&(e.inPre=!0);let a=Ct(e,t);0===t&&!e.inVPre&&a.some((e=>7===e.type&&"pre"===e.name))&&(e.inVPre=!0,f(e,c),e.source=l,a=Ct(e,t).filter((e=>"v-pre"!==e.name)));let p=!1;if(0===e.source.length||(p=jt(e.source,"/>"),At(e,p?2:1)),1===t)return;let u=0;return e.inVPre||("slot"===s?u=2:"template"===s?a.some((e=>7===e.type&&$t(e.name)))&&(u=3):function(e,t,n){const o=n.options;if(o.isCustomElement(e))return!1;if("component"===e||/^[A-Z]/.test(e)||Be(e)||o.isBuiltInComponent&&o.isBuiltInComponent(e)||o.isNativeTag&&!o.isNativeTag(e))return!0;for(let r=0;r<t.length;r++){const e=t[r];if(6===e.type){if("is"===e.name&&e.value){if(e.value.content.startsWith("vue:"))return!0;if(gt("COMPILER_IS_ON_ELEMENT",n))return!0}}else{if("is"===e.name)return!0;if("bind"===e.name&&Qe(e.arg,"is")&&gt("COMPILER_IS_ON_ELEMENT",n))return!0}}}(s,a,e)&&(u=1)),{type:1,ns:i,tag:s,tagType:u,props:a,isSelfClosing:p,children:[],loc:Lt(e,o),codegenNode:void 0}}function Ct(e,t){const n=[],o=new Set;for(;e.source.length>0&&!jt(e.source,">")&&!jt(e.source,"/>");){if(jt(e.source,"/")){At(e,1),Ft(e);continue}const r=Mt(e,o);6===r.type&&r.value&&"class"===r.name&&(r.value.content=r.value.content.replace(/\s+/g," ").trim()),0===t&&n.push(r),/^[^\t\r\n\f />]/.test(e.source),Ft(e)}return n}function Mt(e,t){const n=Vt(e),o=/^[^\t\r\n\f />][^\t\r\n\f />=]*/.exec(e.source)[0];t.has(o),t.add(o);{const e=/["'<]/g;let t;for(;t=e.exec(o););}let r;At(e,o.length),/^[\t\r\n\f ]*=/.test(e.source)&&(Ft(e),At(e,1),Ft(e),r=function(e){const t=Vt(e);let n;const o=e.source[0],r='"'===o||"'"===o;if(r){At(e,1);const t=e.source.indexOf(o);-1===t?n=Rt(e,e.source.length,4):(n=Rt(e,t,4),At(e,1))}else{const t=/^[^\t\r\n\f >]+/.exec(e.source);if(!t)return;const o=/["'<=`]/g;let r;for(;r=o.exec(t[0]););n=Rt(e,t[0].length,4)}return{content:n,isQuoted:r,loc:Lt(e,t)}}(e));const s=Lt(e,n);if(!e.inVPre&&/^(v-[A-Za-z0-9-]|:|\.|@|#)/.test(o)){const t=/(?:^v-([a-z0-9-]+))?(?:(?::|^\.|^@|^#)(\[[^\]]+\]|[^\.]+))?(.+)?$/i.exec(o);let i,c=jt(o,"."),l=t[1]||(c||jt(o,":")?"bind":jt(o,"@")?"on":"slot");if(t[2]){const r="slot"===l,s=o.lastIndexOf(t[2]),c=Lt(e,Dt(e,n,s),Dt(e,n,s+t[2].length+(r&&t[3]||"").length));let a=t[2],p=!0;a.startsWith("[")?(p=!1,a=a.endsWith("]")?a.slice(1,a.length-1):a.slice(1)):r&&(a+=t[3]||""),i={type:4,content:a,isStatic:p,constType:p?3:0,loc:c}}if(r&&r.isQuoted){const e=r.loc;e.start.offset++,e.start.column++,e.end=Ge(e.start,r.content),e.source=e.source.slice(1,-1)}const a=t[3]?t[3].slice(1).split("."):[];return c&&a.push("prop"),"bind"===l&&i&&a.includes("sync")&&gt("COMPILER_V_BIND_SYNC",e,0)&&(l="model",a.splice(a.indexOf("sync"),1)),{type:7,name:l,exp:r&&{type:4,content:r.content,isStatic:!1,constType:0,loc:r.loc},arg:i,modifiers:a,loc:s}}return!e.inVPre&&jt(o,"v-"),{type:6,name:o,value:r&&{type:2,content:r.content,loc:r.loc},loc:s}}function It(e,t){const[n,o]=e.options.delimiters,r=e.source.indexOf(o,n.length);if(-1===r)return;const s=Vt(e);At(e,n.length);const i=Vt(e),c=Vt(e),l=r-n.length,a=e.source.slice(0,l),p=Rt(e,l,t),u=p.trim(),f=p.indexOf(u);f>0&&Ke(i,a,f);return Ke(c,a,l-(p.length-u.length-f)),At(e,o.length),{type:5,content:{type:4,isStatic:!1,constType:0,content:u,loc:Lt(e,i,c)},loc:Lt(e,s)}}function Pt(e,t){const n=3===t?["]]>"]:["<",e.options.delimiters[0]];let o=e.source.length;for(let s=0;s<n.length;s++){const t=e.source.indexOf(n[s],1);-1!==t&&o>t&&(o=t)}const r=Vt(e);return{type:2,content:Rt(e,o,t),loc:Lt(e,r)}}function Rt(e,t,n){const o=e.source.slice(0,t);return At(e,t),2!==n&&3!==n&&o.includes("&")?e.options.decodeEntities(o,4===n):o}function Vt(e){const{column:t,line:n,offset:o}=e;return{column:t,line:n,offset:o}}function Lt(e,t,n){return{start:t,end:n=n||Vt(e),source:e.originalSource.slice(t.offset,n.offset)}}function Bt(e){return e[e.length-1]}function jt(e,t){return e.startsWith(t)}function At(e,t){const{source:n}=e;Ke(e,n,t),e.source=n.slice(t)}function Ft(e){const t=/^[\t\r\n\f ]+/.exec(e.source);t&&At(e,t[0].length)}function Dt(e,t,n){return Ge(t,e.originalSource.slice(t.offset,n),n)}function Ht(e,t,n){const o=e.source;switch(t){case 0:if(jt(o,"</"))for(let e=n.length-1;e>=0;--e)if(Wt(o,n[e].tag))return!0;break;case 1:case 2:{const e=Bt(n);if(e&&Wt(o,e.tag))return!0;break}case 3:if(jt(o,"]]>"))return!0}return!o}function Wt(e,t){return jt(e,"</")&&e.slice(2,2+t.length).toLowerCase()===t.toLowerCase()&&/[\t\r\n\f />]/.test(e[2+t.length]||">")}function Ut(e,t){zt(e,t,Jt(e,e.children[0]))}function Jt(e,t){const{children:n}=e;return 1===n.length&&1===t.type&&!ot(t)}function zt(e,t,n=!1){const{children:o}=e,r=o.length;let s=0;for(let i=0;i<o.length;i++){const e=o[i];if(1===e.type&&0===e.tagType){const o=n?0:Gt(e,t);if(o>0){if(o>=2){e.codegenNode.patchFlag="-1",e.codegenNode=t.hoist(e.codegenNode),s++;continue}}else{const n=e.codegenNode;if(13===n.type){const o=Qt(n);if((!o||512===o||1===o)&&Zt(e,t)>=2){const o=Yt(e);o&&(n.props=t.hoist(o))}n.dynamicProps&&(n.dynamicProps=t.hoist(n.dynamicProps))}}}if(1===e.type){const n=1===e.tagType;n&&t.scopes.vSlot++,zt(e,t),n&&t.scopes.vSlot--}else if(11===e.type)zt(e,t,1===e.children.length);else if(9===e.type)for(let n=0;n<e.branches.length;n++)zt(e.branches[n],t,1===e.branches[n].children.length)}s&&t.transformHoist&&t.transformHoist(o,t,e),s&&s===r&&1===e.type&&0===e.tagType&&e.codegenNode&&13===e.codegenNode.type&&d(e.codegenNode.children)&&(e.codegenNode.children=t.hoist(be(e.codegenNode.children)))}function Gt(e,t){const{constantCache:n}=t;switch(e.type){case 1:if(0!==e.tagType)return 0;const o=n.get(e);if(void 0!==o)return o;const r=e.codegenNode;if(13!==r.type)return 0;if(r.isBlock&&"svg"!==e.tag&&"foreignObject"!==e.tag)return 0;if(Qt(r))return n.set(e,0),0;{let o=3;const s=Zt(e,t);if(0===s)return n.set(e,0),0;s<o&&(o=s);for(let r=0;r<e.children.length;r++){const s=Gt(e.children[r],t);if(0===s)return n.set(e,0),0;s<o&&(o=s)}if(o>1)for(let r=0;r<e.props.length;r++){const s=e.props[r];if(7===s.type&&"bind"===s.name&&s.exp){const r=Gt(s.exp,t);if(0===r)return n.set(e,0),0;r<o&&(o=r)}}if(r.isBlock){for(let t=0;t<e.props.length;t++){if(7===e.props[t].type)return n.set(e,0),0}t.removeHelper(R),t.removeHelper(st(t.inSSR,r.isComponent)),r.isBlock=!1,t.helper(rt(t.inSSR,r.isComponent))}return n.set(e,o),o}case 2:case 3:return 3;case 9:case 11:case 10:default:return 0;case 5:case 12:return Gt(e.content,t);case 4:return e.constType;case 8:let s=3;for(let n=0;n<e.children.length;n++){const o=e.children[n];if(h(o)||m(o))continue;const r=Gt(o,t);if(0===r)return 0;r<s&&(s=r)}return s}}const Kt=new Set([Q,X,ee,te]);function qt(e,t){if(14===e.type&&!h(e.callee)&&Kt.has(e.callee)){const n=e.arguments[0];if(4===n.type)return Gt(n,t);if(14===n.type)return qt(n,t)}return 0}function Zt(e,t){let n=3;const o=Yt(e);if(o&&15===o.type){const{properties:e}=o;for(let o=0;o<e.length;o++){const{key:r,value:s}=e[o],i=Gt(r,t);if(0===i)return i;let c;if(i<n&&(n=i),c=4===s.type?Gt(s,t):14===s.type?qt(s,t):0,0===c)return c;c<n&&(n=c)}}return n}function Yt(e){const t=e.codegenNode;if(13===t.type)return t.props}function Qt(e){const t=e.patchFlag;return t?parseInt(t,10):void 0}function Xt(e,{filename:t="",prefixIdentifiers:n=!1,hoistStatic:o=!1,cacheHandlers:r=!1,nodeTransforms:s=[],directiveTransforms:i={},transformHoist:a=null,isBuiltInComponent:p=l,isCustomElement:u=l,expressionPlugins:f=[],scopeId:d=null,slotted:m=!0,ssr:g=!1,inSSR:y=!1,ssrCssVars:v="",bindingMetadata:b=c,inline:S=!1,isTS:k=!1,onError:N=E,onWarn:T=w,compatConfig:$}){const O=t.replace(/\?.*$/,"").match(/([^/\\]+)\.\w+$/),C={selfName:O&&_(x(O[1])),prefixIdentifiers:n,hoistStatic:o,cacheHandlers:r,nodeTransforms:s,directiveTransforms:i,transformHoist:a,isBuiltInComponent:p,isCustomElement:u,expressionPlugins:f,scopeId:d,slotted:m,ssr:g,inSSR:y,ssrCssVars:v,bindingMetadata:b,inline:S,isTS:k,onError:N,onWarn:T,compatConfig:$,root:e,helpers:new Map,components:new Set,directives:new Set,hoists:[],imports:[],constantCache:new Map,temps:0,cached:0,identifiers:Object.create(null),scopes:{vFor:0,vSlot:0,vPre:0,vOnce:0},parent:null,currentNode:e,childIndex:0,inVOnce:!1,helper(e){const t=C.helpers.get(e)||0;return C.helpers.set(e,t+1),e},removeHelper(e){const t=C.helpers.get(e);if(t){const n=t-1;n?C.helpers.set(e,n):C.helpers.delete(e)}},helperString:e=>`_${he[C.helper(e)]}`,replaceNode(e){C.parent.children[C.childIndex]=C.currentNode=e},removeNode(e){const t=e?C.parent.children.indexOf(e):C.currentNode?C.childIndex:-1;e&&e!==C.currentNode?C.childIndex>t&&(C.childIndex--,C.onNodeRemoved()):(C.currentNode=null,C.onNodeRemoved()),C.parent.children.splice(t,1)},onNodeRemoved:()=>{},addIdentifiers(e){},removeIdentifiers(e){},hoist(e){h(e)&&(e=ke(e)),C.hoists.push(e);const t=ke(`_hoisted_${C.hoists.length}`,!1,e.loc,2);return t.hoisted=e,t},cache:(e,t=!1)=>$e(C.cached++,e,t)};return C.filters=new Set,C}function en(e,t){const n=Xt(e,t);tn(e,n),t.hoistStatic&&Ut(e,n),t.ssr||function(e,t){const{helper:n}=t,{children:o}=e;if(1===o.length){const n=o[0];if(Jt(e,n)&&n.codegenNode){const o=n.codegenNode;13===o.type&&ft(o,t),e.codegenNode=o}else e.codegenNode=n}else if(o.length>1){let o=64;e.codegenNode=ve(t,n(O),void 0,e.children,o+"",void 0,void 0,!0,void 0,!1)}}(e,n),e.helpers=[...n.helpers.keys()],e.components=[...n.components],e.directives=[...n.directives],e.imports=n.imports,e.hoists=n.hoists,e.temps=n.temps,e.cached=n.cached,e.filters=[...n.filters]}function tn(e,t){t.currentNode=e;const{nodeTransforms:n}=t,o=[];for(let s=0;s<n.length;s++){const r=n[s](e,t);if(r&&(d(r)?o.push(...r):o.push(r)),!t.currentNode)return;e=t.currentNode}switch(e.type){case 3:t.ssr||t.helper(A);break;case 5:t.ssr||t.helper(Z);break;case 9:for(let n=0;n<e.branches.length;n++)tn(e.branches[n],t);break;case 10:case 11:case 1:case 0:!function(e,t){let n=0;const o=()=>{n--};for(;n<e.children.length;n++){const r=e.children[n];h(r)||(t.parent=e,t.childIndex=n,t.onNodeRemoved=o,tn(r,t))}}(e,t)}t.currentNode=e;let r=o.length;for(;r--;)o[r]()}function nn(e,t){const n=h(e)?t=>t===e:t=>e.test(t);return(e,o)=>{if(1===e.type){const{props:r}=e;if(3===e.tagType&&r.some(tt))return;const s=[];for(let i=0;i<r.length;i++){const c=r[i];if(7===c.type&&n(c.name)){r.splice(i,1),i--;const n=t(e,c,o);n&&s.push(n)}}return s}}}const on=e=>`${he[e]}: _${he[e]}`;function rn(e,t={}){const n=function(e,{mode:t="function",prefixIdentifiers:n="module"===t,sourceMap:o=!1,filename:r="template.vue.html",scopeId:s=null,optimizeImports:i=!1,runtimeGlobalName:c="Vue",runtimeModuleName:l="vue",ssrRuntimeModuleName:a="vue/server-renderer",ssr:p=!1,isTS:u=!1,inSSR:f=!1}){const d={mode:t,prefixIdentifiers:n,sourceMap:o,filename:r,scopeId:s,optimizeImports:i,runtimeGlobalName:c,runtimeModuleName:l,ssrRuntimeModuleName:a,ssr:p,isTS:u,inSSR:f,source:e.loc.source,code:"",column:1,line:1,offset:0,indentLevel:0,pure:!1,map:void 0,helper:e=>`_${he[e]}`,push(e,t){d.code+=e},indent(){h(++d.indentLevel)},deindent(e=!1){e?--d.indentLevel:h(--d.indentLevel)},newline(){h(d.indentLevel)}};function h(e){d.push("\n"+" ".repeat(e))}return d}(e,t);t.onContextCreated&&t.onContextCreated(n);const{mode:o,push:r,prefixIdentifiers:s,indent:i,deindent:c,newline:l,ssr:a}=n,p=e.helpers.length>0,u=!s&&"module"!==o;!function(e,t){const{push:n,newline:o,runtimeGlobalName:r}=t,s=r;if(e.helpers.length>0&&(n(`const _Vue = ${s}\n`),e.hoists.length)){n(`const { ${[B,j,A,F,D].filter((t=>e.helpers.includes(t))).map(on).join(", ")} } = _Vue\n`)}(function(e,t){if(!e.length)return;t.pure=!0;const{push:n,newline:o}=t;o();for(let r=0;r<e.length;r++){const s=e[r];s&&(n(`const _hoisted_${r+1} = `),an(s,t),o())}t.pure=!1})(e.hoists,t),o(),n("return ")}(e,n);if(r(`function ${a?"ssrRender":"render"}(${(a?["_ctx","_push","_parent","_attrs"]:["_ctx","_cache"]).join(", ")}) {`),i(),u&&(r("with (_ctx) {"),i(),p&&(r(`const { ${e.helpers.map(on).join(", ")} } = _Vue`),r("\n"),l())),e.components.length&&(sn(e.components,"component",n),(e.directives.length||e.temps>0)&&l()),e.directives.length&&(sn(e.directives,"directive",n),e.temps>0&&l()),e.filters&&e.filters.length&&(l(),sn(e.filters,"filter",n),l()),e.temps>0){r("let ");for(let t=0;t<e.temps;t++)r(`${t>0?", ":""}_temp${t}`)}return(e.components.length||e.directives.length||e.temps)&&(r("\n"),l()),a||r("return "),e.codegenNode?an(e.codegenNode,n):r("null"),u&&(c(),r("}")),c(),r("}"),{ast:e,code:n.code,preamble:"",map:n.map?n.map.toJSON():void 0}}function sn(e,t,{helper:n,push:o,newline:r,isTS:s}){const i=n("filter"===t?J:"component"===t?H:U);for(let c=0;c<e.length;c++){let n=e[c];const l=n.endsWith("__self");l&&(n=n.slice(0,-6)),o(`const ${at(n,t)} = ${i}(${JSON.stringify(n)}${l?", true":""})${s?"!":""}`),c<e.length-1&&r()}}function cn(e,t){const n=e.length>3||!1;t.push("["),n&&t.indent(),ln(e,t,n),n&&t.deindent(),t.push("]")}function ln(e,t,n=!1,o=!0){const{push:r,newline:s}=t;for(let i=0;i<e.length;i++){const c=e[i];h(c)?r(c):d(c)?cn(c,t):an(c,t),i<e.length-1&&(n?(o&&r(","),s()):o&&r(", "))}}function an(e,t){if(h(e))t.push(e);else if(m(e))t.push(t.helper(e));else switch(e.type){case 1:case 9:case 11:case 12:an(e.codegenNode,t);break;case 2:!function(e,t){t.push(JSON.stringify(e.content),e)}(e,t);break;case 4:pn(e,t);break;case 5:!function(e,t){const{push:n,helper:o,pure:r}=t;r&&n("/*#__PURE__*/");n(`${o(Z)}(`),an(e.content,t),n(")")}(e,t);break;case 8:un(e,t);break;case 3:!function(e,t){const{push:n,helper:o,pure:r}=t;r&&n("/*#__PURE__*/");n(`${o(A)}(${JSON.stringify(e.content)})`,e)}(e,t);break;case 13:!function(e,t){const{push:n,helper:o,pure:r}=t,{tag:s,props:i,children:c,patchFlag:l,dynamicProps:a,directives:p,isBlock:u,disableTracking:f,isComponent:d}=e;p&&n(o(z)+"(");u&&n(`(${o(R)}(${f?"true":""}), `);r&&n("/*#__PURE__*/");const h=u?st(t.inSSR,d):rt(t.inSSR,d);n(o(h)+"(",e),ln(function(e){let t=e.length;for(;t--&&null==e[t];);return e.slice(0,t+1).map((e=>e||"null"))}([s,i,c,l,a]),t),n(")"),u&&n(")");p&&(n(", "),an(p,t),n(")"))}(e,t);break;case 14:!function(e,t){const{push:n,helper:o,pure:r}=t,s=h(e.callee)?e.callee:o(e.callee);r&&n("/*#__PURE__*/");n(s+"(",e),ln(e.arguments,t),n(")")}(e,t);break;case 15:!function(e,t){const{push:n,indent:o,deindent:r,newline:s}=t,{properties:i}=e;if(!i.length)return void n("{}",e);const c=i.length>1||!1;n(c?"{":"{ "),c&&o();for(let l=0;l<i.length;l++){const{key:e,value:o}=i[l];fn(e,t),n(": "),an(o,t),l<i.length-1&&(n(","),s())}c&&r(),n(c?"}":" }")}(e,t);break;case 17:!function(e,t){cn(e.elements,t)}(e,t);break;case 18:!function(e,t){const{push:n,indent:o,deindent:r}=t,{params:s,returns:i,body:c,newline:l,isSlot:a}=e;a&&n(`_${he[ae]}(`);n("(",e),d(s)?ln(s,t):s&&an(s,t);n(") => "),(l||c)&&(n("{"),o());i?(l&&n("return "),d(i)?cn(i,t):an(i,t)):c&&an(c,t);(l||c)&&(r(),n("}"));a&&(e.isNonScopedSlot&&n(", undefined, true"),n(")"))}(e,t);break;case 19:!function(e,t){const{test:n,consequent:o,alternate:r,newline:s}=e,{push:i,indent:c,deindent:l,newline:a}=t;if(4===n.type){const e=!Ae(n.content);e&&i("("),pn(n,t),e&&i(")")}else i("("),an(n,t),i(")");s&&c(),t.indentLevel++,s||i(" "),i("? "),an(o,t),t.indentLevel--,s&&a(),s||i(" "),i(": ");const p=19===r.type;p||t.indentLevel++;an(r,t),p||t.indentLevel--;s&&l(!0)}(e,t);break;case 20:!function(e,t){const{push:n,helper:o,indent:r,deindent:s,newline:i}=t;n(`_cache[${e.index}] || (`),e.isVNode&&(r(),n(`${o(ie)}(-1),`),i());n(`_cache[${e.index}] = `),an(e.value,t),e.isVNode&&(n(","),i(),n(`${o(ie)}(1),`),i(),n(`_cache[${e.index}]`),s());n(")")}(e,t);break;case 21:ln(e.body,t,!0,!1)}}function pn(e,t){const{content:n,isStatic:o}=e;t.push(o?JSON.stringify(n):n,e)}function un(e,t){for(let n=0;n<e.children.length;n++){const o=e.children[n];h(o)?t.push(o):an(o,t)}}function fn(e,t){const{push:n}=t;if(8===e.type)n("["),un(e,t),n("]");else if(e.isStatic){n(Ae(e.content)?e.content:JSON.stringify(e.content),e)}else n(`[${e.content}]`,e)}function dn(e,t,n=!1,o=[],r=Object.create(null)){}function hn(e,t,n){return!1}function mn(e,t){if(e&&("ObjectProperty"===e.type||"ArrayPattern"===e.type)){let e=t.length;for(;e--;){const n=t[e];if("AssignmentExpression"===n.type)return!0;if("ObjectProperty"!==n.type&&!n.type.endsWith("Pattern"))break}}return!1}function gn(e,t){for(const n of e.params)for(const e of vn(n))t(e)}function yn(e,t){for(const n of e.body)if("VariableDeclaration"===n.type){if(n.declare)continue;for(const e of n.declarations)for(const n of vn(e.id))t(n)}else if("FunctionDeclaration"===n.type||"ClassDeclaration"===n.type){if(n.declare||!n.id)continue;t(n.id)}}function vn(e,t=[]){switch(e.type){case"Identifier":t.push(e);break;case"MemberExpression":let n=e;for(;"MemberExpression"===n.type;)n=n.object;t.push(n);break;case"ObjectPattern":for(const o of e.properties)vn("RestElement"===o.type?o.argument:o.value,t);break;case"ArrayPattern":e.elements.forEach((e=>{e&&vn(e,t)}));break;case"RestElement":vn(e.argument,t);break;case"AssignmentPattern":vn(e.left,t)}return t}const bn=e=>/Function(?:Expression|Declaration)$|Method$/.test(e.type),Sn=e=>e&&("ObjectProperty"===e.type||"ObjectMethod"===e.type)&&!e.computed,xn=(e,t)=>Sn(t)&&t.key===e,kn=(e,t)=>{if(5===e.type)e.content=Nn(e.content,t);else if(1===e.type)for(let n=0;n<e.props.length;n++){const o=e.props[n];if(7===o.type&&"for"!==o.name){const e=o.exp,n=o.arg;!e||4!==e.type||"on"===o.name&&n||(o.exp=Nn(e,t,"slot"===o.name)),n&&4===n.type&&!n.isStatic&&(o.arg=Nn(n,t))}}};function Nn(e,t,n=!1,o=!1,r=Object.create(t.identifiers)){return e}const _n=nn(/^(if|else|else-if)$/,((e,t,n)=>Tn(e,t,n,((e,t,o)=>{const r=n.parent.children;let s=r.indexOf(e),i=0;for(;s-- >=0;){const e=r[s];e&&9===e.type&&(i+=e.branches.length)}return()=>{if(o)e.codegenNode=wn(t,i,n);else{const o=function(e){for(;;)if(19===e.type){if(19!==e.alternate.type)return e;e=e.alternate}else 20===e.type&&(e=e.value)}(e.codegenNode);o.alternate=wn(t,i+e.branches.length-1,n)}}}))));function Tn(e,t,n,o){if(!("else"===t.name||t.exp&&t.exp.content.trim())){t.exp=ke("true",!1,t.exp?t.exp.loc:e.loc)}if("if"===t.name){const r=En(e,t),s={type:9,loc:e.loc,branches:[r]};if(n.replaceNode(s),o)return o(s,r,!0)}else{const r=n.parent.children;let s=r.indexOf(e);for(;s-- >=-1;){const i=r[s];if(!i||2!==i.type||i.content.trim().length){if(i&&9===i.type){n.removeNode();const r=En(e,t);i.branches.push(r);const s=o&&o(i,r,!1);tn(r,n),s&&s(),n.currentNode=null}break}n.removeNode(i)}}}function En(e,t){const n=3===e.tagType;return{type:10,loc:e.loc,condition:"else"===t.name?void 0:t.exp,children:n&&!Ze(e,"for")?e.children:[e],userKey:Ye(e,"key"),isTemplateIf:n}}function wn(e,t,n){return e.condition?we(e.condition,$n(e,t,n),Te(n.helper(A),['""',"true"])):$n(e,t,n)}function $n(e,t,n){const{helper:o}=n,r=xe("key",ke(`${t}`,!1,ge,2)),{children:s}=e,i=s[0];if(1!==s.length||1!==i.type){if(1===s.length&&11===i.type){const e=i.codegenNode;return lt(e,r,n),e}{let t=64;return ve(n,o(O),Se([r]),s,t+"",void 0,void 0,!0,!1,!1,e.loc)}}{const e=i.codegenNode,t=ut(e);return 13===t.type&&ft(t,n),lt(t,r,n),e}}const On=nn("for",((e,t,n)=>{const{helper:o,removeHelper:r}=n;return Cn(e,t,n,(t=>{const s=Te(o(G),[t.source]),i=nt(e),c=Ze(e,"memo"),l=Ye(e,"key"),a=l&&(6===l.type?ke(l.value.content,!0):l.exp),p=l?xe("key",a):null,u=4===t.source.type&&t.source.constType>0,f=u?64:l?128:256;return t.codegenNode=ve(n,o(O),void 0,s,f+"",void 0,void 0,!0,!u,!1,e.loc),()=>{let l;const{children:f}=t,d=1!==f.length||1!==f[0].type,h=ot(e)?e:i&&1===e.children.length&&ot(e.children[0])?e.children[0]:null;if(h?(l=h.codegenNode,i&&p&&lt(l,p,n)):d?l=ve(n,o(O),p?Se([p]):void 0,e.children,"64",void 0,void 0,!0,void 0,!1):(l=f[0].codegenNode,i&&p&&lt(l,p,n),l.isBlock!==!u&&(l.isBlock?(r(R),r(st(n.inSSR,l.isComponent))):r(rt(n.inSSR,l.isComponent))),l.isBlock=!u,l.isBlock?(o(R),o(st(n.inSSR,l.isComponent))):o(rt(n.inSSR,l.isComponent))),c){const e=Ee(Ln(t.parseResult,[ke("_cached")]));e.body=Oe([_e(["const _memo = (",c.exp,")"]),_e(["if (_cached",...a?[" && _cached.key === ",a]:[],` && ${n.helperString(de)}(_cached, _memo)) return _cached`]),_e(["const _item = ",l]),ke("_item.memo = _memo"),ke("return _item")]),s.arguments.push(e,ke("_cache"),ke(String(n.cached++)))}else s.arguments.push(Ee(Ln(t.parseResult),l,!0))}}))}));function Cn(e,t,n,o){if(!t.exp)return;const r=Rn(t.exp);if(!r)return;const{scopes:s}=n,{source:i,value:c,key:l,index:a}=r,p={type:11,loc:t.loc,source:i,valueAlias:c,keyAlias:l,objectIndexAlias:a,parseResult:r,children:nt(e)?e.children:[e]};n.replaceNode(p),s.vFor++;const u=o&&o(p);return()=>{s.vFor--,u&&u()}}const Mn=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,In=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,Pn=/^\(|\)$/g;function Rn(e,t){const n=e.loc,o=e.content,r=o.match(Mn);if(!r)return;const[,s,i]=r,c={source:Vn(n,i.trim(),o.indexOf(i,s.length)),value:void 0,key:void 0,index:void 0};let l=s.trim().replace(Pn,"").trim();const a=s.indexOf(l),p=l.match(In);if(p){l=l.replace(In,"").trim();const e=p[1].trim();let t;if(e&&(t=o.indexOf(e,a+l.length),c.key=Vn(n,e,t)),p[2]){const r=p[2].trim();r&&(c.index=Vn(n,r,o.indexOf(r,c.key?t+e.length:a+l.length)))}}return l&&(c.value=Vn(n,l,a)),c}function Vn(e,t,n){return ke(t,!1,ze(e,n,t.length))}function Ln({value:e,key:t,index:n},o=[]){return function(e){let t=e.length;for(;t--&&!e[t];);return e.slice(0,t+1).map(((e,t)=>e||ke("_".repeat(t+1),!1)))}([e,t,n,...o])}const Bn=ke("undefined",!1),jn=(e,t)=>{if(1===e.type&&(1===e.tagType||3===e.tagType)){const n=Ze(e,"slot");if(n)return t.scopes.vSlot++,()=>{t.scopes.vSlot--}}},An=(e,t)=>{let n;if(nt(e)&&e.props.some(tt)&&(n=Ze(e,"for"))){const e=n.parseResult=Rn(n.exp);if(e){const{value:n,key:o,index:r}=e,{addIdentifiers:s,removeIdentifiers:i}=t;return n&&s(n),o&&s(o),r&&s(r),()=>{n&&i(n),o&&i(o),r&&i(r)}}}},Fn=(e,t,n)=>Ee(e,t,!1,!0,t.length?t[0].loc:n);function Dn(e,t,n=Fn){t.helper(ae);const{children:o,loc:r}=e,s=[],i=[];let c=t.scopes.vSlot>0||t.scopes.vFor>0;const l=Ze(e,"slot",!0);if(l){const{arg:e,exp:t}=l;e&&!Ve(e)&&(c=!0),s.push(xe(e||ke("default",!0),n(t,o,r)))}let a=!1,p=!1;const u=[],f=new Set;let d=0;for(let g=0;g<o.length;g++){const e=o[g];let r;if(!nt(e)||!(r=Ze(e,"slot",!0))){3!==e.type&&u.push(e);continue}if(l)break;a=!0;const{children:h,loc:m}=e,{arg:y=ke("default",!0),exp:v}=r;let b;Ve(y)?b=y?y.content:"default":c=!0;const S=n(v,h,m);let x,k,N;if(x=Ze(e,"if"))c=!0,i.push(we(x.exp,Hn(y,S,d++),Bn));else if(k=Ze(e,/^else(-if)?$/,!0)){let e,t=g;for(;t--&&(e=o[t],3===e.type););if(e&&nt(e)&&Ze(e,"if")){o.splice(g,1),g--;let e=i[i.length-1];for(;19===e.alternate.type;)e=e.alternate;e.alternate=k.exp?we(k.exp,Hn(y,S,d++),Bn):Hn(y,S,d++)}}else if(N=Ze(e,"for")){c=!0;const e=N.parseResult||Rn(N.exp);e&&i.push(Te(t.helper(G),[e.source,Ee(Ln(e),Hn(y,S),!0)]))}else{if(b){if(f.has(b))continue;f.add(b),"default"===b&&(p=!0)}s.push(xe(y,S))}}if(!l){const e=(e,o)=>{const s=n(e,o,r);return t.compatConfig&&(s.isNonScopedSlot=!0),xe("default",s)};a?u.length&&u.some((e=>Un(e)))&&(p||s.push(e(void 0,u))):s.push(e(void 0,o))}const h=c?2:Wn(e.children)?3:1;let m=Se(s.concat(xe("_",ke(h+"",!1))),r);return i.length&&(m=Te(t.helper(q),[m,be(i)])),{slots:m,hasDynamicSlots:c}}function Hn(e,t,n){const o=[xe("name",e),xe("fn",t)];return null!=n&&o.push(xe("key",ke(String(n),!0))),Se(o)}function Wn(e){for(let t=0;t<e.length;t++){const n=e[t];switch(n.type){case 1:if(2===n.tagType||Wn(n.children))return!0;break;case 9:if(Wn(n.branches))return!0;break;case 10:case 11:if(Wn(n.children))return!0}}return!1}function Un(e){return 2!==e.type&&12!==e.type||(2===e.type?!!e.content.trim():Un(e.content))}const Jn=new WeakMap,zn=(e,t)=>function(){if(1!==(e=t.currentNode).type||0!==e.tagType&&1!==e.tagType)return;const{tag:n,props:o}=e,r=1===e.tagType;let s=r?Gn(e,t):`"${n}"`;const i=g(s)&&s.callee===W;let c,l,a,p,u,f,d=0,h=i||s===C||s===M||!r&&("svg"===n||"foreignObject"===n);if(o.length>0){const n=Kn(e,t,void 0,r,i);c=n.props,d=n.patchFlag,u=n.dynamicPropNames;const o=n.directives;f=o&&o.length?be(o.map((e=>Yn(e,t)))):void 0,n.shouldUseBlock&&(h=!0)}if(e.children.length>0){s===I&&(h=!0,d|=1024);if(r&&s!==C&&s!==I){const{slots:n,hasDynamicSlots:o}=Dn(e,t);l=n,o&&(d|=1024)}else if(1===e.children.length&&s!==C){const n=e.children[0],o=n.type,r=5===o||8===o;r&&0===Gt(n,t)&&(d|=1),l=r||2===o?n:e.children}else l=e.children}0!==d&&(a=String(d),u&&u.length&&(p=function(e){let t="[";for(let n=0,o=e.length;n<o;n++)t+=JSON.stringify(e[n]),n<o-1&&(t+=", ");return t+"]"}(u))),e.codegenNode=ve(t,s,c,l,a,p,f,!!h,!1,r,e.loc)};function Gn(e,t,n=!1){let{tag:o}=e;const r=Qn(o),s=Ye(e,"is");if(s)if(r||mt("COMPILER_IS_ON_ELEMENT",t)){const e=6===s.type?s.value&&ke(s.value.content,!0):s.exp;if(e)return Te(t.helper(W),[e])}else 6===s.type&&s.value.content.startsWith("vue:")&&(o=s.value.content.slice(4));const i=!r&&Ze(e,"is");if(i&&i.exp)return Te(t.helper(W),[i.exp]);const c=Be(o)||t.isBuiltInComponent(o);return c?(n||t.helper(c),c):(t.helper(H),t.components.add(o),at(o,"component"))}function Kn(e,t,n=e.props,o,r,s=!1){const{tag:i,loc:c,children:l}=e;let a=[];const p=[],f=[],d=l.length>0;let h=!1,g=0,b=!1,S=!1,x=!1,k=!1,N=!1,_=!1;const T=[],E=e=>{a.length&&(p.push(Se(qn(a),c)),a=[]),e&&p.push(e)},w=({key:e,value:n})=>{if(Ve(e)){const s=e.content,i=u(s);if(!i||o&&!r||"onclick"===s.toLowerCase()||"onUpdate:modelValue"===s||y(s)||(k=!0),i&&y(s)&&(_=!0),20===n.type||(4===n.type||8===n.type)&&Gt(n,t)>0)return;"ref"===s?b=!0:"class"===s?S=!0:"style"===s?x=!0:"key"===s||T.includes(s)||T.push(s),!o||"class"!==s&&"style"!==s||T.includes(s)||T.push(s)}else N=!0};for(let u=0;u<n.length;u++){const r=n[u];if(6===r.type){const{loc:e,name:n,value:o}=r;let s=!0;if("ref"===n&&(b=!0,t.scopes.vFor>0&&a.push(xe(ke("ref_for",!0),ke("true")))),"is"===n&&(Qn(i)||o&&o.content.startsWith("vue:")||mt("COMPILER_IS_ON_ELEMENT",t)))continue;a.push(xe(ke(n,!0,ze(e,0,n.length)),ke(o?o.content:"",s,o?o.loc:e)))}else{const{name:n,arg:l,exp:u,loc:g}=r,y="bind"===n,b="on"===n;if("slot"===n)continue;if("once"===n||"memo"===n)continue;if("is"===n||y&&Qe(l,"is")&&(Qn(i)||mt("COMPILER_IS_ON_ELEMENT",t)))continue;if(b&&s)continue;if((y&&Qe(l,"key")||b&&d&&Qe(l,"vue:before-update"))&&(h=!0),y&&Qe(l,"ref")&&t.scopes.vFor>0&&a.push(xe(ke("ref_for",!0),ke("true"))),!l&&(y||b)){if(N=!0,u)if(y){if(E(),mt("COMPILER_V_BIND_OBJECT_ORDER",t)){p.unshift(u);continue}p.push(u)}else E({type:14,loc:g,callee:t.helper(ne),arguments:o?[u]:[u,"true"]});continue}const S=t.directiveTransforms[n];if(S){const{props:n,needRuntime:o}=S(r,e,t);!s&&n.forEach(w),b&&l&&!Ve(l)?E(Se(n,c)):a.push(...n),o&&(f.push(r),m(o)&&Jn.set(r,o))}else v(n)||(f.push(r),d&&(h=!0))}}let $;if(p.length?(E(),$=p.length>1?Te(t.helper(Y),p,c):p[0]):a.length&&($=Se(qn(a),c)),N?g|=16:(S&&!o&&(g|=2),x&&!o&&(g|=4),T.length&&(g|=8),k&&(g|=32)),h||0!==g&&32!==g||!(b||_||f.length>0)||(g|=512),!t.inSSR&&$)switch($.type){case 15:let e=-1,n=-1,o=!1;for(let t=0;t<$.properties.length;t++){const r=$.properties[t].key;Ve(r)?"class"===r.content?e=t:"style"===r.content&&(n=t):r.isHandlerKey||(o=!0)}const r=$.properties[e],s=$.properties[n];o?$=Te(t.helper(ee),[$]):(r&&!Ve(r.value)&&(r.value=Te(t.helper(Q),[r.value])),s&&(x||4===s.value.type&&"["===s.value.content.trim()[0]||17===s.value.type)&&(s.value=Te(t.helper(X),[s.value])));break;case 14:break;default:$=Te(t.helper(ee),[Te(t.helper(te),[$])])}return{props:$,directives:f,patchFlag:g,dynamicPropNames:T,shouldUseBlock:h}}function qn(e){const t=new Map,n=[];for(let o=0;o<e.length;o++){const r=e[o];if(8===r.key.type||!r.key.isStatic){n.push(r);continue}const s=r.key.content,i=t.get(s);i?("style"===s||"class"===s||u(s))&&Zn(i,r):(t.set(s,r),n.push(r))}return n}function Zn(e,t){17===e.value.type?e.value.elements.push(t.value):e.value=be([e.value,t.value],e.loc)}function Yn(e,t){const n=[],o=Jn.get(e);o?n.push(t.helperString(o)):(t.helper(U),t.directives.add(e.name),n.push(at(e.name,"directive")));const{loc:r}=e;if(e.exp&&n.push(e.exp),e.arg&&(e.exp||n.push("void 0"),n.push(e.arg)),Object.keys(e.modifiers).length){e.arg||(e.exp||n.push("void 0"),n.push("void 0"));const t=ke("true",!1,r);n.push(Se(e.modifiers.map((e=>xe(e,t))),r))}return be(n,e.loc)}function Qn(e){return"component"===e||"Component"===e}const Xn=(e,t)=>{if(ot(e)){const{children:n,loc:o}=e,{slotName:r,slotProps:s}=eo(e,t),i=[t.prefixIdentifiers?"_ctx.$slots":"$slots",r,"{}","undefined","true"];let c=2;s&&(i[2]=s,c=3),n.length&&(i[3]=Ee([],n,!1,!1,o),c=4),t.scopeId&&!t.slotted&&(c=5),i.splice(c),e.codegenNode=Te(t.helper(K),i,o)}};function eo(e,t){let n,o='"default"';const r=[];for(let s=0;s<e.props.length;s++){const t=e.props[s];6===t.type?t.value&&("name"===t.name?o=JSON.stringify(t.value.content):(t.name=x(t.name),r.push(t))):"bind"===t.name&&Qe(t.arg,"name")?t.exp&&(o=t.exp):("bind"===t.name&&t.arg&&Ve(t.arg)&&(t.arg.content=x(t.arg.content)),r.push(t))}if(r.length>0){const{props:o,directives:s}=Kn(e,t,r,!1,!1);n=o}return{slotName:o,slotProps:n}}const to=/^\s*([\w$_]+|(async\s*)?\([^)]*?\))\s*=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/,no=(e,t,n,o)=>{const{loc:r,modifiers:s,arg:i}=e;let c;if(4===i.type)if(i.isStatic){let e=i.content;e.startsWith("vue:")&&(e=`vnode-${e.slice(4)}`);c=ke(1===t.tagType||e.startsWith("vnode")||!/[A-Z]/.test(e)?T(x(e)):`on:${e}`,!0,i.loc)}else c=_e([`${n.helperString(se)}(`,i,")"]);else c=i,c.children.unshift(`${n.helperString(se)}(`),c.children.push(")");let l=e.exp;l&&!l.content.trim()&&(l=void 0);let a=n.cacheHandlers&&!l&&!n.inVOnce;if(l){const e=Je(l.content),t=!(e||to.test(l.content)),n=l.content.includes(";");(t||a&&e)&&(l=_e([`${t?"$event":"(...args)"} => ${n?"{":"("}`,l,n?"}":")"]))}let p={props:[xe(c,l||ke("() => {}",!1,r))]};return o&&(p=o(p)),a&&(p.props[0].value=n.cache(p.props[0].value)),p.props.forEach((e=>e.key.isHandlerKey=!0)),p},oo=(e,t,n)=>{const{exp:o,modifiers:r,loc:s}=e,i=e.arg;return 4!==i.type?(i.children.unshift("("),i.children.push(') || ""')):i.isStatic||(i.content=`${i.content} || ""`),r.includes("camel")&&(4===i.type?i.content=i.isStatic?x(i.content):`${n.helperString(oe)}(${i.content})`:(i.children.unshift(`${n.helperString(oe)}(`),i.children.push(")"))),n.inSSR||(r.includes("prop")&&ro(i,"."),r.includes("attr")&&ro(i,"^")),!o||4===o.type&&!o.content.trim()?{props:[xe(i,ke("",!0,s))]}:{props:[xe(i,o)]}},ro=(e,t)=>{4===e.type?e.content=e.isStatic?t+e.content:`\`${t}\${${e.content}}\``:(e.children.unshift(`'${t}' + (`),e.children.push(")"))},so=(e,t)=>{if(0===e.type||1===e.type||11===e.type||10===e.type)return()=>{const n=e.children;let o,r=!1;for(let e=0;e<n.length;e++){const t=n[e];if(et(t)){r=!0;for(let r=e+1;r<n.length;r++){const s=n[r];if(!et(s)){o=void 0;break}o||(o=n[e]=_e([t],t.loc)),o.children.push(" + ",s),n.splice(r,1),r--}}}if(r&&(1!==n.length||0!==e.type&&(1!==e.type||0!==e.tagType||e.props.find((e=>7===e.type&&!t.directiveTransforms[e.name]))||"template"===e.tag)))for(let e=0;e<n.length;e++){const o=n[e];if(et(o)||8===o.type){const r=[];2===o.type&&" "===o.content||r.push(o),t.ssr||0!==Gt(o,t)||r.push("1"),n[e]={type:12,content:o,loc:o.loc,codegenNode:Te(t.helper(F),r)}}}}},io=new WeakSet,co=(e,t)=>{if(1===e.type&&Ze(e,"once",!0)){if(io.has(e)||t.inVOnce)return;return io.add(e),t.inVOnce=!0,t.helper(ie),()=>{t.inVOnce=!1;const e=t.currentNode;e.codegenNode&&(e.codegenNode=t.cache(e.codegenNode,!0))}}},lo=(e,t,n)=>{const{exp:o,arg:r}=e;if(!o)return ao();const s=o.loc.source,i=4===o.type?o.content:s;if(!i.trim()||!Je(i))return ao();const c=r||ke("modelValue",!0),l=r?Ve(r)?`onUpdate:${r.content}`:_e(['"onUpdate:" + ',r]):"onUpdate:modelValue";let a;a=_e([`${n.isTS?"($event: any)":"$event"} => ((`,o,") = $event)"]);const p=[xe(c,e.exp),xe(l,a)];if(e.modifiers.length&&1===t.tagType){const t=e.modifiers.map((e=>(Ae(e)?e:JSON.stringify(e))+": true")).join(", "),n=r?Ve(r)?`${r.content}Modifiers`:_e([r,' + "Modifiers"']):"modelModifiers";p.push(xe(n,ke(`{ ${t} }`,!1,e.loc,2)))}return ao(p)};function ao(e=[]){return{props:e}}const po=/[\w).+\-_$\]]/,uo=(e,t)=>{mt("COMPILER_FILTER",t)&&(5===e.type&&fo(e.content,t),1===e.type&&e.props.forEach((e=>{7===e.type&&"for"!==e.name&&e.exp&&fo(e.exp,t)})))};function fo(e,t){if(4===e.type)ho(e,t);else for(let n=0;n<e.children.length;n++){const o=e.children[n];"object"==typeof o&&(4===o.type?ho(o,t):8===o.type?fo(e,t):5===o.type&&fo(o.content,t))}}function ho(e,t){const n=e.content;let o,r,s,i,c=!1,l=!1,a=!1,p=!1,u=0,f=0,d=0,h=0,m=[];for(s=0;s<n.length;s++)if(r=o,o=n.charCodeAt(s),c)39===o&&92!==r&&(c=!1);else if(l)34===o&&92!==r&&(l=!1);else if(a)96===o&&92!==r&&(a=!1);else if(p)47===o&&92!==r&&(p=!1);else if(124!==o||124===n.charCodeAt(s+1)||124===n.charCodeAt(s-1)||u||f||d){switch(o){case 34:l=!0;break;case 39:c=!0;break;case 96:a=!0;break;case 40:d++;break;case 41:d--;break;case 91:f++;break;case 93:f--;break;case 123:u++;break;case 125:u--}if(47===o){let e,t=s-1;for(;t>=0&&(e=n.charAt(t)," "===e);t--);e&&po.test(e)||(p=!0)}}else void 0===i?(h=s+1,i=n.slice(0,s).trim()):g();function g(){m.push(n.slice(h,s).trim()),h=s+1}if(void 0===i?i=n.slice(0,s).trim():0!==h&&g(),m.length){for(s=0;s<m.length;s++)i=mo(i,m[s],t);e.content=i}}function mo(e,t,n){n.helper(J);const o=t.indexOf("(");if(o<0)return n.filters.add(t),`${at(t,"filter")}(${e})`;{const r=t.slice(0,o),s=t.slice(o+1);return n.filters.add(r),`${at(r,"filter")}(${e}${")"!==s?","+s:s}`}}const go=new WeakSet,yo=(e,t)=>{if(1===e.type){const n=Ze(e,"memo");if(!n||go.has(e))return;return go.add(e),()=>{const o=e.codegenNode||t.currentNode.codegenNode;o&&13===o.type&&(1!==e.tagType&&ft(o,t),e.codegenNode=Te(t.helper(fe),[n.exp,Ee(void 0,o),"_cache",String(t.cached++)]))}}};function vo(e){return[[co,_n,yo,On,uo,Xn,zn,jn,so],{on:no,bind:oo,model:lo}]}function bo(e,t={}){const n=t.onError||E,o="module"===t.mode;!0===t.prefixIdentifiers?n($(46)):o&&n($(47));t.cacheHandlers&&n($(48)),t.scopeId&&!o&&n($(49));const r=h(e)?xt(e,t):e,[s,i]=vo();return en(r,f({},t,{prefixIdentifiers:false,nodeTransforms:[...s,...t.nodeTransforms||[]],directiveTransforms:f({},i,t.directiveTransforms||{})})),rn(r,f({},t,{prefixIdentifiers:false}))}const So=()=>({props:[]}),xo=Symbol(""),ko=Symbol(""),No=Symbol(""),_o=Symbol(""),To=Symbol(""),Eo=Symbol(""),wo=Symbol(""),$o=Symbol(""),Oo=Symbol(""),Co=Symbol("");let Mo;me({[xo]:"vModelRadio",[ko]:"vModelCheckbox",[No]:"vModelText",[_o]:"vModelSelect",[To]:"vModelDynamic",[Eo]:"withModifiers",[wo]:"withKeys",[$o]:"vShow",[Oo]:"Transition",[Co]:"TransitionGroup"});const Io=e("style,iframe,script,noscript",!0),Po={isVoidTag:i,isNativeTag:e=>r(e)||s(e),isPreTag:e=>"pre"===e,decodeEntities:function(e,t=!1){return Mo||(Mo=document.createElement("div")),t?(Mo.innerHTML=`<div foo="${e.replace(/"/g,"&quot;")}">`,Mo.children[0].getAttribute("foo")):(Mo.innerHTML=e,Mo.textContent)},isBuiltInComponent:e=>Le(e,"Transition")?Oo:Le(e,"TransitionGroup")?Co:void 0,getNamespace(e,t){let n=t?t.ns:0;if(t&&2===n)if("annotation-xml"===t.tag){if("svg"===e)return 1;t.props.some((e=>6===e.type&&"encoding"===e.name&&null!=e.value&&("text/html"===e.value.content||"application/xhtml+xml"===e.value.content)))&&(n=0)}else/^m(?:[ions]|text)$/.test(t.tag)&&"mglyph"!==e&&"malignmark"!==e&&(n=0);else t&&1===n&&("foreignObject"!==t.tag&&"desc"!==t.tag&&"title"!==t.tag||(n=0));if(0===n){if("svg"===e)return 1;if("math"===e)return 2}return n},getTextMode({tag:e,ns:t}){if(0===t){if("textarea"===e||"title"===e)return 1;if(Io(e))return 2}return 0}},Ro=e=>{1===e.type&&e.props.forEach(((t,n)=>{6===t.type&&"style"===t.name&&t.value&&(e.props[n]={type:7,name:"bind",arg:ke("style",!0,t.loc),exp:Vo(t.value.content,t.loc),modifiers:[],loc:t.loc})}))},Vo=(e,t)=>{const r=function(e){const t={};return e.split(n).forEach((e=>{if(e){const n=e.split(o);n.length>1&&(t[n[0].trim()]=n[1].trim())}})),t}(e);return ke(JSON.stringify(r),!1,t,3)};function Lo(e,t){return $(e,t)}const Bo=e("passive,once,capture"),jo=e("stop,prevent,self,ctrl,shift,alt,meta,exact,middle"),Ao=e("left,right"),Fo=e("onkeyup,onkeydown,onkeypress",!0),Do=(e,t)=>Ve(e)&&"onclick"===e.content.toLowerCase()?ke(t,!0):4!==e.type?_e(["(",e,`) === "onClick" ? "${t}" : (`,e,")"]):e,Ho=(e,t)=>{1!==e.type||0!==e.tagType||"script"!==e.tag&&"style"!==e.tag||t.removeNode()},Wo=[Ro],Uo={cloak:So,html:(e,t,n)=>{const{exp:o,loc:r}=e;return t.children.length&&(t.children.length=0),{props:[xe(ke("innerHTML",!0,r),o||ke("",!0))]}},text:(e,t,n)=>{const{exp:o,loc:r}=e;return t.children.length&&(t.children.length=0),{props:[xe(ke("textContent",!0),o?Gt(o,n)>0?o:Te(n.helperString(Z),[o],r):ke("",!0))]}},model:(e,t,n)=>{const o=lo(e,t,n);if(!o.props.length||1===t.tagType)return o;const{tag:r}=t,s=n.isCustomElement(r);if("input"===r||"textarea"===r||"select"===r||s){let e=No,i=!1;if("input"===r||s){const n=Ye(t,"type");if(n){if(7===n.type)e=To;else if(n.value)switch(n.value.content){case"radio":e=xo;break;case"checkbox":e=ko;break;case"file":i=!0}}else Xe(t)&&(e=To)}else"select"===r&&(e=_o);i||(o.needRuntime=n.helper(e))}return o.props=o.props.filter((e=>!(4===e.key.type&&"modelValue"===e.key.content))),o},on:(e,t,n)=>no(e,t,n,(t=>{const{modifiers:o}=e;if(!o.length)return t;let{key:r,value:s}=t.props[0];const{keyModifiers:i,nonKeyModifiers:c,eventOptionModifiers:l}=((e,t,n,o)=>{const r=[],s=[],i=[];for(let c=0;c<t.length;c++){const o=t[c];"native"===o&&gt("COMPILER_V_ON_NATIVE",n)||Bo(o)?i.push(o):Ao(o)?Ve(e)?Fo(e.content)?r.push(o):s.push(o):(r.push(o),s.push(o)):jo(o)?s.push(o):r.push(o)}return{keyModifiers:r,nonKeyModifiers:s,eventOptionModifiers:i}})(r,o,n);if(c.includes("right")&&(r=Do(r,"onContextmenu")),c.includes("middle")&&(r=Do(r,"onMouseup")),c.length&&(s=Te(n.helper(Eo),[s,JSON.stringify(c)])),!i.length||Ve(r)&&!Fo(r.content)||(s=Te(n.helper(wo),[s,JSON.stringify(i)])),l.length){const e=l.map(_).join("");r=Ve(r)?ke(`${r.content}${e}`,!0):_e(["(",r,`) + "${e}"`])}return{props:[xe(r,s)]}})),show:(e,t,n)=>({props:[],needRuntime:n.helper($o)})};function Jo(e,t={}){return bo(e,f({},Po,t,{nodeTransforms:[Ho,...Wo,...t.nodeTransforms||[]],directiveTransforms:f({},Uo,t.directiveTransforms||{}),transformHoist:null}))}function zo(e,t={}){return xt(e,f({},Po,t))}export{P as BASE_TRANSITION,oe as CAMELIZE,re as CAPITALIZE,V as CREATE_BLOCK,A as CREATE_COMMENT,L as CREATE_ELEMENT_BLOCK,j as CREATE_ELEMENT_VNODE,q as CREATE_SLOTS,D as CREATE_STATIC,F as CREATE_TEXT,B as CREATE_VNODE,Uo as DOMDirectiveTransforms,Wo as DOMNodeTransforms,O as FRAGMENT,te as GUARD_REACTIVE_PROPS,de as IS_MEMO_SAME,ue as IS_REF,I as KEEP_ALIVE,Y as MERGE_PROPS,Q as NORMALIZE_CLASS,ee as NORMALIZE_PROPS,X as NORMALIZE_STYLE,R as OPEN_BLOCK,le as POP_SCOPE_ID,ce as PUSH_SCOPE_ID,G as RENDER_LIST,K as RENDER_SLOT,H as RESOLVE_COMPONENT,U as RESOLVE_DIRECTIVE,W as RESOLVE_DYNAMIC_COMPONENT,J as RESOLVE_FILTER,ie as SET_BLOCK_TRACKING,M as SUSPENSE,C as TELEPORT,Z as TO_DISPLAY_STRING,ne as TO_HANDLERS,se as TO_HANDLER_KEY,Oo as TRANSITION,Co as TRANSITION_GROUP,pe as UNREF,ko as V_MODEL_CHECKBOX,To as V_MODEL_DYNAMIC,xo as V_MODEL_RADIO,_o as V_MODEL_SELECT,No as V_MODEL_TEXT,wo as V_ON_WITH_KEYS,Eo as V_ON_WITH_MODIFIERS,$o as V_SHOW,ae as WITH_CTX,z as WITH_DIRECTIVES,fe as WITH_MEMO,Ge as advancePositionWithClone,Ke as advancePositionWithMutation,qe as assert,bo as baseCompile,xt as baseParse,Yn as buildDirectiveArgs,Kn as buildProps,Dn as buildSlots,gt as checkCompatEnabled,Jo as compile,be as createArrayExpression,Ie as createAssignmentExpression,Oe as createBlockStatement,$e as createCacheExpression,Te as createCallExpression,$ as createCompilerError,_e as createCompoundExpression,we as createConditionalExpression,Lo as createDOMCompilerError,Ln as createForLoopParams,Ee as createFunctionExpression,Me as createIfStatement,Ne as createInterpolation,Se as createObjectExpression,xe as createObjectProperty,Re as createReturnStatement,ye as createRoot,Pe as createSequenceExpression,ke as createSimpleExpression,nn as createStructuralDirectiveTransform,Ce as createTemplateLiteral,Xt as createTransformContext,ve as createVNodeCall,vn as extractIdentifiers,Ze as findDir,Ye as findProp,rn as generate,t as generateCodeFrame,vo as getBaseTransformPreset,Gt as getConstantType,ze as getInnerRange,ut as getMemoedVNodeCall,st as getVNodeBlockHelper,rt as getVNodeHelper,Xe as hasDynamicKeyVBind,pt as hasScopeRef,he as helperNameMap,lt as injectProp,Le as isBuiltInType,Be as isCoreComponent,bn as isFunctionType,mn as isInDestructureAssignment,Je as isMemberExpression,We as isMemberExpressionBrowser,Ue as isMemberExpressionNode,hn as isReferencedIdentifier,Ae as isSimpleIdentifier,ot as isSlotOutlet,Qe as isStaticArgOf,Ve as isStaticExp,Sn as isStaticProperty,xn as isStaticPropertyKey,nt as isTemplateNode,et as isText,tt as isVSlot,ge as locStub,ft as makeBlock,So as noopDirectiveTransform,zo as parse,Po as parserOptions,Nn as processExpression,Cn as processFor,Tn as processIf,eo as processSlotOutlet,me as registerRuntimeHelpers,Gn as resolveComponentType,at as toValidAssetId,jn as trackSlotScopes,An as trackVForSlotScopes,en as transform,oo as transformBind,zn as transformElement,kn as transformExpression,lo as transformModel,no as transformOn,Ro as transformStyle,tn as traverseNode,yn as walkBlockDeclarations,gn as walkFunctionParams,dn as walkIdentifiers,yt as warnDeprecation};
1
+ function e(e,t){const n=Object.create(null),o=e.split(",");for(let r=0;r<o.length;r++)n[o[r]]=!0;return t?e=>!!n[e.toLowerCase()]:e=>!!n[e]}function t(e,t=0,n=e.length){let o=e.split(/(\r?\n)/);const r=o.filter(((e,t)=>t%2==1));o=o.filter(((e,t)=>t%2==0));let s=0;const i=[];for(let c=0;c<o.length;c++)if(s+=o[c].length+(r[c]&&r[c].length||0),s>=t){for(let e=c-2;e<=c+2||n>s;e++){if(e<0||e>=o.length)continue;const l=e+1;i.push(`${l}${" ".repeat(Math.max(3-String(l).length,0))}| ${o[e]}`);const a=o[e].length,p=r[e]&&r[e].length||0;if(e===c){const e=t-(s-(a+p)),o=Math.max(1,n>s?a-e:n-t);i.push(" | "+" ".repeat(e)+"^".repeat(o))}else if(e>c){if(n>s){const e=Math.max(Math.min(n-s,a),1);i.push(" | "+"^".repeat(e))}s+=a+p}}break}return i.join("\n")}const n=/;(?![^(]*\))/g,o=/:([^]+)/,r=/\/\*.*?\*\//gs;const s=e("html,body,base,head,link,meta,style,title,address,article,aside,footer,header,h1,h2,h3,h4,h5,h6,nav,section,div,dd,dl,dt,figcaption,figure,picture,hr,img,li,main,ol,p,pre,ul,a,b,abbr,bdi,bdo,br,cite,code,data,dfn,em,i,kbd,mark,q,rp,rt,ruby,s,samp,small,span,strong,sub,sup,time,u,var,wbr,area,audio,map,track,video,embed,object,param,source,canvas,script,noscript,del,ins,caption,col,colgroup,table,thead,tbody,td,th,tr,button,datalist,fieldset,form,input,label,legend,meter,optgroup,option,output,progress,select,textarea,details,dialog,menu,summary,template,blockquote,iframe,tfoot"),i=e("svg,animate,animateMotion,animateTransform,circle,clipPath,color-profile,defs,desc,discard,ellipse,feBlend,feColorMatrix,feComponentTransfer,feComposite,feConvolveMatrix,feDiffuseLighting,feDisplacementMap,feDistanceLight,feDropShadow,feFlood,feFuncA,feFuncB,feFuncG,feFuncR,feGaussianBlur,feImage,feMerge,feMergeNode,feMorphology,feOffset,fePointLight,feSpecularLighting,feSpotLight,feTile,feTurbulence,filter,foreignObject,g,hatch,hatchpath,image,line,linearGradient,marker,mask,mesh,meshgradient,meshpatch,meshrow,metadata,mpath,path,pattern,polygon,polyline,radialGradient,rect,set,solidcolor,stop,switch,symbol,text,textPath,title,tspan,unknown,use,view"),c=e("area,base,br,col,embed,hr,img,input,link,meta,param,source,track,wbr"),l={},a=()=>{},p=()=>!1,u=/^on[^a-z]/,f=e=>u.test(e),d=Object.assign,h=Array.isArray,m=e=>"string"==typeof e,g=e=>"symbol"==typeof e,y=e=>null!==e&&"object"==typeof e,v=e(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),b=e("bind,cloak,else-if,else,for,html,if,model,on,once,pre,show,slot,text,memo"),S=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},x=/-(\w)/g,k=S((e=>e.replace(x,((e,t)=>t?t.toUpperCase():"")))),N=/\B([A-Z])/g,_=S((e=>e.replace(N,"-$1").toLowerCase())),T=S((e=>e.charAt(0).toUpperCase()+e.slice(1))),E=S((e=>e?`on${T(e)}`:""));function w(e){throw e}function $(e){}function O(e,t,n,o){const r=new SyntaxError(String(e));return r.code=e,r.loc=t,r}const C=Symbol(""),M=Symbol(""),I=Symbol(""),P=Symbol(""),R=Symbol(""),V=Symbol(""),L=Symbol(""),B=Symbol(""),j=Symbol(""),A=Symbol(""),F=Symbol(""),D=Symbol(""),H=Symbol(""),W=Symbol(""),U=Symbol(""),J=Symbol(""),z=Symbol(""),G=Symbol(""),K=Symbol(""),q=Symbol(""),Z=Symbol(""),Y=Symbol(""),Q=Symbol(""),X=Symbol(""),ee=Symbol(""),te=Symbol(""),ne=Symbol(""),oe=Symbol(""),re=Symbol(""),se=Symbol(""),ie=Symbol(""),ce=Symbol(""),le=Symbol(""),ae=Symbol(""),pe=Symbol(""),ue=Symbol(""),fe=Symbol(""),de=Symbol(""),he=Symbol(""),me={[C]:"Fragment",[M]:"Teleport",[I]:"Suspense",[P]:"KeepAlive",[R]:"BaseTransition",[V]:"openBlock",[L]:"createBlock",[B]:"createElementBlock",[j]:"createVNode",[A]:"createElementVNode",[F]:"createCommentVNode",[D]:"createTextVNode",[H]:"createStaticVNode",[W]:"resolveComponent",[U]:"resolveDynamicComponent",[J]:"resolveDirective",[z]:"resolveFilter",[G]:"withDirectives",[K]:"renderList",[q]:"renderSlot",[Z]:"createSlots",[Y]:"toDisplayString",[Q]:"mergeProps",[X]:"normalizeClass",[ee]:"normalizeStyle",[te]:"normalizeProps",[ne]:"guardReactiveProps",[oe]:"toHandlers",[re]:"camelize",[se]:"capitalize",[ie]:"toHandlerKey",[ce]:"setBlockTracking",[le]:"pushScopeId",[ae]:"popScopeId",[pe]:"withCtx",[ue]:"unref",[fe]:"isRef",[de]:"withMemo",[he]:"isMemoSame"};function ge(e){Object.getOwnPropertySymbols(e).forEach((t=>{me[t]=e[t]}))}const ye={source:"",start:{line:1,column:1,offset:0},end:{line:1,column:1,offset:0}};function ve(e,t=ye){return{type:0,children:e,helpers:[],components:[],directives:[],hoists:[],imports:[],cached:0,temps:0,codegenNode:void 0,loc:t}}function be(e,t,n,o,r,s,i,c=!1,l=!1,a=!1,p=ye){return e&&(c?(e.helper(V),e.helper(it(e.inSSR,a))):e.helper(st(e.inSSR,a)),i&&e.helper(G)),{type:13,tag:t,props:n,children:o,patchFlag:r,dynamicProps:s,directives:i,isBlock:c,disableTracking:l,isComponent:a,loc:p}}function Se(e,t=ye){return{type:17,loc:t,elements:e}}function xe(e,t=ye){return{type:15,loc:t,properties:e}}function ke(e,t){return{type:16,loc:ye,key:m(e)?Ne(e,!0):e,value:t}}function Ne(e,t=!1,n=ye,o=0){return{type:4,loc:n,content:e,isStatic:t,constType:t?3:o}}function _e(e,t){return{type:5,loc:t,content:m(e)?Ne(e,!1,t):e}}function Te(e,t=ye){return{type:8,loc:t,children:e}}function Ee(e,t=[],n=ye){return{type:14,loc:n,callee:e,arguments:t}}function we(e,t,n=!1,o=!1,r=ye){return{type:18,params:e,returns:t,newline:n,isSlot:o,loc:r}}function $e(e,t,n,o=!0){return{type:19,test:e,consequent:t,alternate:n,newline:o,loc:ye}}function Oe(e,t,n=!1){return{type:20,index:e,value:t,isVNode:n,loc:ye}}function Ce(e){return{type:21,body:e,loc:ye}}function Me(e){return{type:22,elements:e,loc:ye}}function Ie(e,t,n){return{type:23,test:e,consequent:t,alternate:n,loc:ye}}function Pe(e,t){return{type:24,left:e,right:t,loc:ye}}function Re(e){return{type:25,expressions:e,loc:ye}}function Ve(e){return{type:26,returns:e,loc:ye}}const Le=e=>4===e.type&&e.isStatic,Be=(e,t)=>e===t||e===_(t);function je(e){return Be(e,"Teleport")?M:Be(e,"Suspense")?I:Be(e,"KeepAlive")?P:Be(e,"BaseTransition")?R:void 0}const Ae=/^\d|[^\$\w]/,Fe=e=>!Ae.test(e),De=/[A-Za-z_$\xA0-\uFFFF]/,He=/[\.\?\w$\xA0-\uFFFF]/,We=/\s+[.[]\s*|\s*[.[]\s+/g,Ue=e=>{e=e.trim().replace(We,(e=>e.trim()));let t=0,n=[],o=0,r=0,s=null;for(let i=0;i<e.length;i++){const c=e.charAt(i);switch(t){case 0:if("["===c)n.push(t),t=1,o++;else if("("===c)n.push(t),t=2,r++;else if(!(0===i?De:He).test(c))return!1;break;case 1:"'"===c||'"'===c||"`"===c?(n.push(t),t=3,s=c):"["===c?o++:"]"===c&&(--o||(t=n.pop()));break;case 2:if("'"===c||'"'===c||"`"===c)n.push(t),t=3,s=c;else if("("===c)r++;else if(")"===c){if(i===e.length-1)return!1;--r||(t=n.pop())}break;case 3:c===s&&(t=n.pop(),s=null)}}return!o&&!r},Je=a,ze=Ue;function Ge(e,t,n){const o={source:e.source.slice(t,t+n),start:Ke(e.start,e.source,t),end:e.end};return null!=n&&(o.end=Ke(e.start,e.source,t+n)),o}function Ke(e,t,n=t.length){return qe(d({},e),t,n)}function qe(e,t,n=t.length){let o=0,r=-1;for(let s=0;s<n;s++)10===t.charCodeAt(s)&&(o++,r=s);return e.offset+=n,e.line+=o,e.column=-1===r?e.column+n:n-r,e}function Ze(e,t){if(!e)throw new Error(t||"unexpected compiler condition")}function Ye(e,t,n=!1){for(let o=0;o<e.props.length;o++){const r=e.props[o];if(7===r.type&&(n||r.exp)&&(m(t)?r.name===t:t.test(r.name)))return r}}function Qe(e,t,n=!1,o=!1){for(let r=0;r<e.props.length;r++){const s=e.props[r];if(6===s.type){if(n)continue;if(s.name===t&&(s.value||o))return s}else if("bind"===s.name&&(s.exp||o)&&Xe(s.arg,t))return s}}function Xe(e,t){return!(!e||!Le(e)||e.content!==t)}function et(e){return e.props.some((e=>!(7!==e.type||"bind"!==e.name||e.arg&&4===e.arg.type&&e.arg.isStatic)))}function tt(e){return 5===e.type||2===e.type}function nt(e){return 7===e.type&&"slot"===e.name}function ot(e){return 1===e.type&&3===e.tagType}function rt(e){return 1===e.type&&2===e.tagType}function st(e,t){return e||t?j:A}function it(e,t){return e||t?L:B}const ct=new Set([te,ne]);function lt(e,t=[]){if(e&&!m(e)&&14===e.type){const n=e.callee;if(!m(n)&&ct.has(n))return lt(e.arguments[0],t.concat(e))}return[e,t]}function at(e,t,n){let o,r,s=13===e.type?e.props:e.arguments[2],i=[];if(s&&!m(s)&&14===s.type){const e=lt(s);s=e[0],i=e[1],r=i[i.length-1]}if(null==s||m(s))o=xe([t]);else if(14===s.type){const e=s.arguments[0];m(e)||15!==e.type?s.callee===oe?o=Ee(n.helper(Q),[xe([t]),s]):s.arguments.unshift(xe([t])):pt(t,e)||e.properties.unshift(t),!o&&(o=s)}else 15===s.type?(pt(t,s)||s.properties.unshift(t),o=s):(o=Ee(n.helper(Q),[xe([t]),s]),r&&r.callee===ne&&(r=i[i.length-2]));13===e.type?r?r.arguments[0]=o:e.props=o:r?r.arguments[0]=o:e.arguments[2]=o}function pt(e,t){let n=!1;if(4===e.key.type){const o=e.key.content;n=t.properties.some((e=>4===e.key.type&&e.key.content===o))}return n}function ut(e,t){return`_${t}_${e.replace(/[^\w]/g,((t,n)=>"-"===t?"_":e.charCodeAt(n).toString()))}`}function ft(e,t){if(!e||0===Object.keys(t).length)return!1;switch(e.type){case 1:for(let n=0;n<e.props.length;n++){const o=e.props[n];if(7===o.type&&(ft(o.arg,t)||ft(o.exp,t)))return!0}return e.children.some((e=>ft(e,t)));case 11:return!!ft(e.source,t)||e.children.some((e=>ft(e,t)));case 9:return e.branches.some((e=>ft(e,t)));case 10:return!!ft(e.condition,t)||e.children.some((e=>ft(e,t)));case 4:return!e.isStatic&&Fe(e.content)&&!!t[e.content];case 8:return e.children.some((e=>y(e)&&ft(e,t)));case 5:case 12:return ft(e.content,t);default:return!1}}function dt(e){return 14===e.type&&e.callee===de?e.arguments[1].returns:e}function ht(e,{helper:t,removeHelper:n,inSSR:o}){e.isBlock||(e.isBlock=!0,n(st(o,e.isComponent)),t(V),t(it(o,e.isComponent)))}const mt={COMPILER_IS_ON_ELEMENT:{message:'Platform-native elements with "is" prop will no longer be treated as components in Vue 3 unless the "is" value is explicitly prefixed with "vue:".',link:"https://v3-migration.vuejs.org/breaking-changes/custom-elements-interop.html"},COMPILER_V_BIND_SYNC:{message:e=>`.sync modifier for v-bind has been removed. Use v-model with argument instead. \`v-bind:${e}.sync\` should be changed to \`v-model:${e}\`.`,link:"https://v3-migration.vuejs.org/breaking-changes/v-model.html"},COMPILER_V_BIND_PROP:{message:".prop modifier for v-bind has been removed and no longer necessary. Vue 3 will automatically set a binding as DOM property when appropriate."},COMPILER_V_BIND_OBJECT_ORDER:{message:'v-bind="obj" usage is now order sensitive and behaves like JavaScript object spread: it will now overwrite an existing non-mergeable attribute that appears before v-bind in the case of conflict. To retain 2.x behavior, move v-bind to make it the first attribute. You can also suppress this warning if the usage is intended.',link:"https://v3-migration.vuejs.org/breaking-changes/v-bind.html"},COMPILER_V_ON_NATIVE:{message:".native modifier for v-on has been removed as is no longer necessary.",link:"https://v3-migration.vuejs.org/breaking-changes/v-on-native-modifier-removed.html"},COMPILER_V_IF_V_FOR_PRECEDENCE:{message:"v-if / v-for precedence when used on the same element has changed in Vue 3: v-if now takes higher precedence and will no longer have access to v-for scope variables. It is best to avoid the ambiguity with <template> tags or use a computed property that filters v-for data source.",link:"https://v3-migration.vuejs.org/breaking-changes/v-if-v-for.html"},COMPILER_NATIVE_TEMPLATE:{message:"<template> with no special directives will render as a native template element instead of its inner content in Vue 3."},COMPILER_INLINE_TEMPLATE:{message:'"inline-template" has been removed in Vue 3.',link:"https://v3-migration.vuejs.org/breaking-changes/inline-template-attribute.html"},COMPILER_FILTER:{message:'filters have been removed in Vue 3. The "|" symbol will be treated as native JavaScript bitwise OR operator. Use method calls or computed properties instead.',link:"https://v3-migration.vuejs.org/breaking-changes/filters.html"}};function gt(e,t){const n=t.options?t.options.compatConfig:t.compatConfig,o=n&&n[e];return"MODE"===e?o||3:o}function yt(e,t){const n=gt("MODE",t),o=gt(e,t);return 3===n?!0===o:!1!==o}function vt(e,t,n,...o){return yt(e,t)}function bt(e,t,n,...o){if("suppress-warning"===gt(e,t))return;const{message:r,link:s}=mt[e],i=`(deprecation ${e}) ${"function"==typeof r?r(...o):r}${s?`\n Details: ${s}`:""}`,c=new SyntaxError(i);c.code=e,n&&(c.loc=n),t.onWarn(c)}const St=/&(gt|lt|amp|apos|quot);/g,xt={gt:">",lt:"<",amp:"&",apos:"'",quot:'"'},kt={delimiters:["{{","}}"],getNamespace:()=>0,getTextMode:()=>0,isVoidTag:p,isPreTag:p,isCustomElement:p,decodeEntities:e=>e.replace(St,((e,t)=>xt[t])),onError:w,onWarn:$,comments:!1};function Nt(e,t={}){const n=function(e,t){const n=d({},kt);let o;for(o in t)n[o]=void 0===t[o]?kt[o]:t[o];return{options:n,column:1,line:1,offset:0,originalSource:e,source:e,inPre:!1,inVPre:!1,onWarn:n.onWarn}}(e,t),o=Bt(n);return ve(_t(n,0,[]),jt(n,o))}function _t(e,t,n){const o=At(n),r=o?o.ns:0,s=[];for(;!Ut(e,t,n);){const i=e.source;let c;if(0===t||1===t)if(!e.inVPre&&Ft(i,e.options.delimiters[0]))c=Rt(e,t);else if(0===t&&"<"===i[0])if(1===i.length);else if("!"===i[1])c=Ft(i,"\x3c!--")?wt(e):Ft(i,"<!DOCTYPE")?$t(e):Ft(i,"<![CDATA[")&&0!==r?Et(e,n):$t(e);else if("/"===i[1])if(2===i.length);else{if(">"===i[2]){Dt(e,3);continue}if(/[a-z]/i.test(i[2])){Mt(e,1,o);continue}c=$t(e)}else/[a-z]/i.test(i[1])?(c=Ot(e,n),yt("COMPILER_NATIVE_TEMPLATE",e)&&c&&"template"===c.tag&&!c.props.some((e=>7===e.type&&Ct(e.name)))&&(c=c.children)):"?"===i[1]&&(c=$t(e));if(c||(c=Vt(e,t)),h(c))for(let e=0;e<c.length;e++)Tt(s,c[e]);else Tt(s,c)}let i=!1;if(2!==t&&1!==t){const t="preserve"!==e.options.whitespace;for(let n=0;n<s.length;n++){const o=s[n];if(2===o.type)if(e.inPre)o.content=o.content.replace(/\r\n/g,"\n");else if(/[^\t\r\n\f ]/.test(o.content))t&&(o.content=o.content.replace(/[\t\r\n\f ]+/g," "));else{const e=s[n-1],r=s[n+1];!e||!r||t&&(3===e.type&&3===r.type||3===e.type&&1===r.type||1===e.type&&3===r.type||1===e.type&&1===r.type&&/[\r\n]/.test(o.content))?(i=!0,s[n]=null):o.content=" "}else 3!==o.type||e.options.comments||(i=!0,s[n]=null)}if(e.inPre&&o&&e.options.isPreTag(o.tag)){const e=s[0];e&&2===e.type&&(e.content=e.content.replace(/^\r?\n/,""))}}return i?s.filter(Boolean):s}function Tt(e,t){if(2===t.type){const n=At(e);if(n&&2===n.type&&n.loc.end.offset===t.loc.start.offset)return n.content+=t.content,n.loc.end=t.loc.end,void(n.loc.source+=t.loc.source)}e.push(t)}function Et(e,t){Dt(e,9);const n=_t(e,3,t);return 0===e.source.length||Dt(e,3),n}function wt(e){const t=Bt(e);let n;const o=/--(\!)?>/.exec(e.source);if(o){n=e.source.slice(4,o.index);const t=e.source.slice(0,o.index);let r=1,s=0;for(;-1!==(s=t.indexOf("\x3c!--",r));)Dt(e,s-r+1),r=s+1;Dt(e,o.index+o[0].length-r+1)}else n=e.source.slice(4),Dt(e,e.source.length);return{type:3,content:n,loc:jt(e,t)}}function $t(e){const t=Bt(e),n="?"===e.source[1]?1:2;let o;const r=e.source.indexOf(">");return-1===r?(o=e.source.slice(n),Dt(e,e.source.length)):(o=e.source.slice(n,r),Dt(e,r+1)),{type:3,content:o,loc:jt(e,t)}}function Ot(e,t){const n=e.inPre,o=e.inVPre,r=At(t),s=Mt(e,0,r),i=e.inPre&&!n,c=e.inVPre&&!o;if(s.isSelfClosing||e.options.isVoidTag(s.tag))return i&&(e.inPre=!1),c&&(e.inVPre=!1),s;t.push(s);const l=e.options.getTextMode(s,r),a=_t(e,l,t);t.pop();{const t=s.props.find((e=>6===e.type&&"inline-template"===e.name));if(t&&vt("COMPILER_INLINE_TEMPLATE",e)){const n=jt(e,s.loc.end);t.value={type:2,content:n.source,loc:n}}}if(s.children=a,Jt(e.source,s.tag))Mt(e,1,r);else if(0===e.source.length&&"script"===s.tag.toLowerCase()){const e=a[0];e&&Ft(e.loc.source,"\x3c!--")}return s.loc=jt(e,s.loc.start),i&&(e.inPre=!1),c&&(e.inVPre=!1),s}const Ct=e("if,else,else-if,for,slot");function Mt(e,t,n){const o=Bt(e),r=/^<\/?([a-z][^\t\r\n\f />]*)/i.exec(e.source),s=r[1],i=e.options.getNamespace(s,n);Dt(e,r[0].length),Ht(e);const c=Bt(e),l=e.source;e.options.isPreTag(s)&&(e.inPre=!0);let a=It(e,t);0===t&&!e.inVPre&&a.some((e=>7===e.type&&"pre"===e.name))&&(e.inVPre=!0,d(e,c),e.source=l,a=It(e,t).filter((e=>"v-pre"!==e.name)));let p=!1;if(0===e.source.length||(p=Ft(e.source,"/>"),Dt(e,p?2:1)),1===t)return;let u=0;return e.inVPre||("slot"===s?u=2:"template"===s?a.some((e=>7===e.type&&Ct(e.name)))&&(u=3):function(e,t,n){const o=n.options;if(o.isCustomElement(e))return!1;if("component"===e||/^[A-Z]/.test(e)||je(e)||o.isBuiltInComponent&&o.isBuiltInComponent(e)||o.isNativeTag&&!o.isNativeTag(e))return!0;for(let r=0;r<t.length;r++){const e=t[r];if(6===e.type){if("is"===e.name&&e.value){if(e.value.content.startsWith("vue:"))return!0;if(vt("COMPILER_IS_ON_ELEMENT",n))return!0}}else{if("is"===e.name)return!0;if("bind"===e.name&&Xe(e.arg,"is")&&vt("COMPILER_IS_ON_ELEMENT",n))return!0}}}(s,a,e)&&(u=1)),{type:1,ns:i,tag:s,tagType:u,props:a,isSelfClosing:p,children:[],loc:jt(e,o),codegenNode:void 0}}function It(e,t){const n=[],o=new Set;for(;e.source.length>0&&!Ft(e.source,">")&&!Ft(e.source,"/>");){if(Ft(e.source,"/")){Dt(e,1),Ht(e);continue}const r=Pt(e,o);6===r.type&&r.value&&"class"===r.name&&(r.value.content=r.value.content.replace(/\s+/g," ").trim()),0===t&&n.push(r),/^[^\t\r\n\f />]/.test(e.source),Ht(e)}return n}function Pt(e,t){const n=Bt(e),o=/^[^\t\r\n\f />][^\t\r\n\f />=]*/.exec(e.source)[0];t.has(o),t.add(o);{const e=/["'<]/g;let t;for(;t=e.exec(o););}let r;Dt(e,o.length),/^[\t\r\n\f ]*=/.test(e.source)&&(Ht(e),Dt(e,1),Ht(e),r=function(e){const t=Bt(e);let n;const o=e.source[0],r='"'===o||"'"===o;if(r){Dt(e,1);const t=e.source.indexOf(o);-1===t?n=Lt(e,e.source.length,4):(n=Lt(e,t,4),Dt(e,1))}else{const t=/^[^\t\r\n\f >]+/.exec(e.source);if(!t)return;const o=/["'<=`]/g;let r;for(;r=o.exec(t[0]););n=Lt(e,t[0].length,4)}return{content:n,isQuoted:r,loc:jt(e,t)}}(e));const s=jt(e,n);if(!e.inVPre&&/^(v-[A-Za-z0-9-]|:|\.|@|#)/.test(o)){const t=/(?:^v-([a-z0-9-]+))?(?:(?::|^\.|^@|^#)(\[[^\]]+\]|[^\.]+))?(.+)?$/i.exec(o);let i,c=Ft(o,"."),l=t[1]||(c||Ft(o,":")?"bind":Ft(o,"@")?"on":"slot");if(t[2]){const r="slot"===l,s=o.lastIndexOf(t[2]),c=jt(e,Wt(e,n,s),Wt(e,n,s+t[2].length+(r&&t[3]||"").length));let a=t[2],p=!0;a.startsWith("[")?(p=!1,a=a.endsWith("]")?a.slice(1,a.length-1):a.slice(1)):r&&(a+=t[3]||""),i={type:4,content:a,isStatic:p,constType:p?3:0,loc:c}}if(r&&r.isQuoted){const e=r.loc;e.start.offset++,e.start.column++,e.end=Ke(e.start,r.content),e.source=e.source.slice(1,-1)}const a=t[3]?t[3].slice(1).split("."):[];return c&&a.push("prop"),"bind"===l&&i&&a.includes("sync")&&vt("COMPILER_V_BIND_SYNC",e,0)&&(l="model",a.splice(a.indexOf("sync"),1)),{type:7,name:l,exp:r&&{type:4,content:r.content,isStatic:!1,constType:0,loc:r.loc},arg:i,modifiers:a,loc:s}}return!e.inVPre&&Ft(o,"v-"),{type:6,name:o,value:r&&{type:2,content:r.content,loc:r.loc},loc:s}}function Rt(e,t){const[n,o]=e.options.delimiters,r=e.source.indexOf(o,n.length);if(-1===r)return;const s=Bt(e);Dt(e,n.length);const i=Bt(e),c=Bt(e),l=r-n.length,a=e.source.slice(0,l),p=Lt(e,l,t),u=p.trim(),f=p.indexOf(u);f>0&&qe(i,a,f);return qe(c,a,l-(p.length-u.length-f)),Dt(e,o.length),{type:5,content:{type:4,isStatic:!1,constType:0,content:u,loc:jt(e,i,c)},loc:jt(e,s)}}function Vt(e,t){const n=3===t?["]]>"]:["<",e.options.delimiters[0]];let o=e.source.length;for(let s=0;s<n.length;s++){const t=e.source.indexOf(n[s],1);-1!==t&&o>t&&(o=t)}const r=Bt(e);return{type:2,content:Lt(e,o,t),loc:jt(e,r)}}function Lt(e,t,n){const o=e.source.slice(0,t);return Dt(e,t),2!==n&&3!==n&&o.includes("&")?e.options.decodeEntities(o,4===n):o}function Bt(e){const{column:t,line:n,offset:o}=e;return{column:t,line:n,offset:o}}function jt(e,t,n){return{start:t,end:n=n||Bt(e),source:e.originalSource.slice(t.offset,n.offset)}}function At(e){return e[e.length-1]}function Ft(e,t){return e.startsWith(t)}function Dt(e,t){const{source:n}=e;qe(e,n,t),e.source=n.slice(t)}function Ht(e){const t=/^[\t\r\n\f ]+/.exec(e.source);t&&Dt(e,t[0].length)}function Wt(e,t,n){return Ke(t,e.originalSource.slice(t.offset,n),n)}function Ut(e,t,n){const o=e.source;switch(t){case 0:if(Ft(o,"</"))for(let e=n.length-1;e>=0;--e)if(Jt(o,n[e].tag))return!0;break;case 1:case 2:{const e=At(n);if(e&&Jt(o,e.tag))return!0;break}case 3:if(Ft(o,"]]>"))return!0}return!o}function Jt(e,t){return Ft(e,"</")&&e.slice(2,2+t.length).toLowerCase()===t.toLowerCase()&&/[\t\r\n\f />]/.test(e[2+t.length]||">")}function zt(e,t){Kt(e,t,Gt(e,e.children[0]))}function Gt(e,t){const{children:n}=e;return 1===n.length&&1===t.type&&!rt(t)}function Kt(e,t,n=!1){const{children:o}=e,r=o.length;let s=0;for(let i=0;i<o.length;i++){const e=o[i];if(1===e.type&&0===e.tagType){const o=n?0:qt(e,t);if(o>0){if(o>=2){e.codegenNode.patchFlag="-1",e.codegenNode=t.hoist(e.codegenNode),s++;continue}}else{const n=e.codegenNode;if(13===n.type){const o=en(n);if((!o||512===o||1===o)&&Qt(e,t)>=2){const o=Xt(e);o&&(n.props=t.hoist(o))}n.dynamicProps&&(n.dynamicProps=t.hoist(n.dynamicProps))}}}if(1===e.type){const n=1===e.tagType;n&&t.scopes.vSlot++,Kt(e,t),n&&t.scopes.vSlot--}else if(11===e.type)Kt(e,t,1===e.children.length);else if(9===e.type)for(let n=0;n<e.branches.length;n++)Kt(e.branches[n],t,1===e.branches[n].children.length)}s&&t.transformHoist&&t.transformHoist(o,t,e),s&&s===r&&1===e.type&&0===e.tagType&&e.codegenNode&&13===e.codegenNode.type&&h(e.codegenNode.children)&&(e.codegenNode.children=t.hoist(Se(e.codegenNode.children)))}function qt(e,t){const{constantCache:n}=t;switch(e.type){case 1:if(0!==e.tagType)return 0;const o=n.get(e);if(void 0!==o)return o;const r=e.codegenNode;if(13!==r.type)return 0;if(r.isBlock&&"svg"!==e.tag&&"foreignObject"!==e.tag)return 0;if(en(r))return n.set(e,0),0;{let o=3;const s=Qt(e,t);if(0===s)return n.set(e,0),0;s<o&&(o=s);for(let r=0;r<e.children.length;r++){const s=qt(e.children[r],t);if(0===s)return n.set(e,0),0;s<o&&(o=s)}if(o>1)for(let r=0;r<e.props.length;r++){const s=e.props[r];if(7===s.type&&"bind"===s.name&&s.exp){const r=qt(s.exp,t);if(0===r)return n.set(e,0),0;r<o&&(o=r)}}if(r.isBlock){for(let t=0;t<e.props.length;t++){if(7===e.props[t].type)return n.set(e,0),0}t.removeHelper(V),t.removeHelper(it(t.inSSR,r.isComponent)),r.isBlock=!1,t.helper(st(t.inSSR,r.isComponent))}return n.set(e,o),o}case 2:case 3:return 3;case 9:case 11:case 10:default:return 0;case 5:case 12:return qt(e.content,t);case 4:return e.constType;case 8:let s=3;for(let n=0;n<e.children.length;n++){const o=e.children[n];if(m(o)||g(o))continue;const r=qt(o,t);if(0===r)return 0;r<s&&(s=r)}return s}}const Zt=new Set([X,ee,te,ne]);function Yt(e,t){if(14===e.type&&!m(e.callee)&&Zt.has(e.callee)){const n=e.arguments[0];if(4===n.type)return qt(n,t);if(14===n.type)return Yt(n,t)}return 0}function Qt(e,t){let n=3;const o=Xt(e);if(o&&15===o.type){const{properties:e}=o;for(let o=0;o<e.length;o++){const{key:r,value:s}=e[o],i=qt(r,t);if(0===i)return i;let c;if(i<n&&(n=i),c=4===s.type?qt(s,t):14===s.type?Yt(s,t):0,0===c)return c;c<n&&(n=c)}}return n}function Xt(e){const t=e.codegenNode;if(13===t.type)return t.props}function en(e){const t=e.patchFlag;return t?parseInt(t,10):void 0}function tn(e,{filename:t="",prefixIdentifiers:n=!1,hoistStatic:o=!1,cacheHandlers:r=!1,nodeTransforms:s=[],directiveTransforms:i={},transformHoist:c=null,isBuiltInComponent:p=a,isCustomElement:u=a,expressionPlugins:f=[],scopeId:d=null,slotted:h=!0,ssr:g=!1,inSSR:y=!1,ssrCssVars:v="",bindingMetadata:b=l,inline:S=!1,isTS:x=!1,onError:N=w,onWarn:_=$,compatConfig:E}){const O=t.replace(/\?.*$/,"").match(/([^/\\]+)\.\w+$/),C={selfName:O&&T(k(O[1])),prefixIdentifiers:n,hoistStatic:o,cacheHandlers:r,nodeTransforms:s,directiveTransforms:i,transformHoist:c,isBuiltInComponent:p,isCustomElement:u,expressionPlugins:f,scopeId:d,slotted:h,ssr:g,inSSR:y,ssrCssVars:v,bindingMetadata:b,inline:S,isTS:x,onError:N,onWarn:_,compatConfig:E,root:e,helpers:new Map,components:new Set,directives:new Set,hoists:[],imports:[],constantCache:new Map,temps:0,cached:0,identifiers:Object.create(null),scopes:{vFor:0,vSlot:0,vPre:0,vOnce:0},parent:null,currentNode:e,childIndex:0,inVOnce:!1,helper(e){const t=C.helpers.get(e)||0;return C.helpers.set(e,t+1),e},removeHelper(e){const t=C.helpers.get(e);if(t){const n=t-1;n?C.helpers.set(e,n):C.helpers.delete(e)}},helperString:e=>`_${me[C.helper(e)]}`,replaceNode(e){C.parent.children[C.childIndex]=C.currentNode=e},removeNode(e){const t=e?C.parent.children.indexOf(e):C.currentNode?C.childIndex:-1;e&&e!==C.currentNode?C.childIndex>t&&(C.childIndex--,C.onNodeRemoved()):(C.currentNode=null,C.onNodeRemoved()),C.parent.children.splice(t,1)},onNodeRemoved:()=>{},addIdentifiers(e){},removeIdentifiers(e){},hoist(e){m(e)&&(e=Ne(e)),C.hoists.push(e);const t=Ne(`_hoisted_${C.hoists.length}`,!1,e.loc,2);return t.hoisted=e,t},cache:(e,t=!1)=>Oe(C.cached++,e,t)};return C.filters=new Set,C}function nn(e,t){const n=tn(e,t);on(e,n),t.hoistStatic&&zt(e,n),t.ssr||function(e,t){const{helper:n}=t,{children:o}=e;if(1===o.length){const n=o[0];if(Gt(e,n)&&n.codegenNode){const o=n.codegenNode;13===o.type&&ht(o,t),e.codegenNode=o}else e.codegenNode=n}else if(o.length>1){let o=64;e.codegenNode=be(t,n(C),void 0,e.children,o+"",void 0,void 0,!0,void 0,!1)}}(e,n),e.helpers=[...n.helpers.keys()],e.components=[...n.components],e.directives=[...n.directives],e.imports=n.imports,e.hoists=n.hoists,e.temps=n.temps,e.cached=n.cached,e.filters=[...n.filters]}function on(e,t){t.currentNode=e;const{nodeTransforms:n}=t,o=[];for(let s=0;s<n.length;s++){const r=n[s](e,t);if(r&&(h(r)?o.push(...r):o.push(r)),!t.currentNode)return;e=t.currentNode}switch(e.type){case 3:t.ssr||t.helper(F);break;case 5:t.ssr||t.helper(Y);break;case 9:for(let n=0;n<e.branches.length;n++)on(e.branches[n],t);break;case 10:case 11:case 1:case 0:!function(e,t){let n=0;const o=()=>{n--};for(;n<e.children.length;n++){const r=e.children[n];m(r)||(t.parent=e,t.childIndex=n,t.onNodeRemoved=o,on(r,t))}}(e,t)}t.currentNode=e;let r=o.length;for(;r--;)o[r]()}function rn(e,t){const n=m(e)?t=>t===e:t=>e.test(t);return(e,o)=>{if(1===e.type){const{props:r}=e;if(3===e.tagType&&r.some(nt))return;const s=[];for(let i=0;i<r.length;i++){const c=r[i];if(7===c.type&&n(c.name)){r.splice(i,1),i--;const n=t(e,c,o);n&&s.push(n)}}return s}}}const sn=e=>`${me[e]}: _${me[e]}`;function cn(e,t={}){const n=function(e,{mode:t="function",prefixIdentifiers:n="module"===t,sourceMap:o=!1,filename:r="template.vue.html",scopeId:s=null,optimizeImports:i=!1,runtimeGlobalName:c="Vue",runtimeModuleName:l="vue",ssrRuntimeModuleName:a="vue/server-renderer",ssr:p=!1,isTS:u=!1,inSSR:f=!1}){const d={mode:t,prefixIdentifiers:n,sourceMap:o,filename:r,scopeId:s,optimizeImports:i,runtimeGlobalName:c,runtimeModuleName:l,ssrRuntimeModuleName:a,ssr:p,isTS:u,inSSR:f,source:e.loc.source,code:"",column:1,line:1,offset:0,indentLevel:0,pure:!1,map:void 0,helper:e=>`_${me[e]}`,push(e,t){d.code+=e},indent(){h(++d.indentLevel)},deindent(e=!1){e?--d.indentLevel:h(--d.indentLevel)},newline(){h(d.indentLevel)}};function h(e){d.push("\n"+" ".repeat(e))}return d}(e,t);t.onContextCreated&&t.onContextCreated(n);const{mode:o,push:r,prefixIdentifiers:s,indent:i,deindent:c,newline:l,ssr:a}=n,p=e.helpers.length>0,u=!s&&"module"!==o;!function(e,t){const{push:n,newline:o,runtimeGlobalName:r}=t,s=r;if(e.helpers.length>0&&(n(`const _Vue = ${s}\n`),e.hoists.length)){n(`const { ${[j,A,F,D,H].filter((t=>e.helpers.includes(t))).map(sn).join(", ")} } = _Vue\n`)}(function(e,t){if(!e.length)return;t.pure=!0;const{push:n,newline:o}=t;o();for(let r=0;r<e.length;r++){const s=e[r];s&&(n(`const _hoisted_${r+1} = `),un(s,t),o())}t.pure=!1})(e.hoists,t),o(),n("return ")}(e,n);if(r(`function ${a?"ssrRender":"render"}(${(a?["_ctx","_push","_parent","_attrs"]:["_ctx","_cache"]).join(", ")}) {`),i(),u&&(r("with (_ctx) {"),i(),p&&(r(`const { ${e.helpers.map(sn).join(", ")} } = _Vue`),r("\n"),l())),e.components.length&&(ln(e.components,"component",n),(e.directives.length||e.temps>0)&&l()),e.directives.length&&(ln(e.directives,"directive",n),e.temps>0&&l()),e.filters&&e.filters.length&&(l(),ln(e.filters,"filter",n),l()),e.temps>0){r("let ");for(let t=0;t<e.temps;t++)r(`${t>0?", ":""}_temp${t}`)}return(e.components.length||e.directives.length||e.temps)&&(r("\n"),l()),a||r("return "),e.codegenNode?un(e.codegenNode,n):r("null"),u&&(c(),r("}")),c(),r("}"),{ast:e,code:n.code,preamble:"",map:n.map?n.map.toJSON():void 0}}function ln(e,t,{helper:n,push:o,newline:r,isTS:s}){const i=n("filter"===t?z:"component"===t?W:J);for(let c=0;c<e.length;c++){let n=e[c];const l=n.endsWith("__self");l&&(n=n.slice(0,-6)),o(`const ${ut(n,t)} = ${i}(${JSON.stringify(n)}${l?", true":""})${s?"!":""}`),c<e.length-1&&r()}}function an(e,t){const n=e.length>3||!1;t.push("["),n&&t.indent(),pn(e,t,n),n&&t.deindent(),t.push("]")}function pn(e,t,n=!1,o=!0){const{push:r,newline:s}=t;for(let i=0;i<e.length;i++){const c=e[i];m(c)?r(c):h(c)?an(c,t):un(c,t),i<e.length-1&&(n?(o&&r(","),s()):o&&r(", "))}}function un(e,t){if(m(e))t.push(e);else if(g(e))t.push(t.helper(e));else switch(e.type){case 1:case 9:case 11:case 12:un(e.codegenNode,t);break;case 2:!function(e,t){t.push(JSON.stringify(e.content),e)}(e,t);break;case 4:fn(e,t);break;case 5:!function(e,t){const{push:n,helper:o,pure:r}=t;r&&n("/*#__PURE__*/");n(`${o(Y)}(`),un(e.content,t),n(")")}(e,t);break;case 8:dn(e,t);break;case 3:!function(e,t){const{push:n,helper:o,pure:r}=t;r&&n("/*#__PURE__*/");n(`${o(F)}(${JSON.stringify(e.content)})`,e)}(e,t);break;case 13:!function(e,t){const{push:n,helper:o,pure:r}=t,{tag:s,props:i,children:c,patchFlag:l,dynamicProps:a,directives:p,isBlock:u,disableTracking:f,isComponent:d}=e;p&&n(o(G)+"(");u&&n(`(${o(V)}(${f?"true":""}), `);r&&n("/*#__PURE__*/");const h=u?it(t.inSSR,d):st(t.inSSR,d);n(o(h)+"(",e),pn(function(e){let t=e.length;for(;t--&&null==e[t];);return e.slice(0,t+1).map((e=>e||"null"))}([s,i,c,l,a]),t),n(")"),u&&n(")");p&&(n(", "),un(p,t),n(")"))}(e,t);break;case 14:!function(e,t){const{push:n,helper:o,pure:r}=t,s=m(e.callee)?e.callee:o(e.callee);r&&n("/*#__PURE__*/");n(s+"(",e),pn(e.arguments,t),n(")")}(e,t);break;case 15:!function(e,t){const{push:n,indent:o,deindent:r,newline:s}=t,{properties:i}=e;if(!i.length)return void n("{}",e);const c=i.length>1||!1;n(c?"{":"{ "),c&&o();for(let l=0;l<i.length;l++){const{key:e,value:o}=i[l];hn(e,t),n(": "),un(o,t),l<i.length-1&&(n(","),s())}c&&r(),n(c?"}":" }")}(e,t);break;case 17:!function(e,t){an(e.elements,t)}(e,t);break;case 18:!function(e,t){const{push:n,indent:o,deindent:r}=t,{params:s,returns:i,body:c,newline:l,isSlot:a}=e;a&&n(`_${me[pe]}(`);n("(",e),h(s)?pn(s,t):s&&un(s,t);n(") => "),(l||c)&&(n("{"),o());i?(l&&n("return "),h(i)?an(i,t):un(i,t)):c&&un(c,t);(l||c)&&(r(),n("}"));a&&(e.isNonScopedSlot&&n(", undefined, true"),n(")"))}(e,t);break;case 19:!function(e,t){const{test:n,consequent:o,alternate:r,newline:s}=e,{push:i,indent:c,deindent:l,newline:a}=t;if(4===n.type){const e=!Fe(n.content);e&&i("("),fn(n,t),e&&i(")")}else i("("),un(n,t),i(")");s&&c(),t.indentLevel++,s||i(" "),i("? "),un(o,t),t.indentLevel--,s&&a(),s||i(" "),i(": ");const p=19===r.type;p||t.indentLevel++;un(r,t),p||t.indentLevel--;s&&l(!0)}(e,t);break;case 20:!function(e,t){const{push:n,helper:o,indent:r,deindent:s,newline:i}=t;n(`_cache[${e.index}] || (`),e.isVNode&&(r(),n(`${o(ce)}(-1),`),i());n(`_cache[${e.index}] = `),un(e.value,t),e.isVNode&&(n(","),i(),n(`${o(ce)}(1),`),i(),n(`_cache[${e.index}]`),s());n(")")}(e,t);break;case 21:pn(e.body,t,!0,!1)}}function fn(e,t){const{content:n,isStatic:o}=e;t.push(o?JSON.stringify(n):n,e)}function dn(e,t){for(let n=0;n<e.children.length;n++){const o=e.children[n];m(o)?t.push(o):un(o,t)}}function hn(e,t){const{push:n}=t;if(8===e.type)n("["),dn(e,t),n("]");else if(e.isStatic){n(Fe(e.content)?e.content:JSON.stringify(e.content),e)}else n(`[${e.content}]`,e)}function mn(e,t,n=!1,o=[],r=Object.create(null)){}function gn(e,t,n){return!1}function yn(e,t){if(e&&("ObjectProperty"===e.type||"ArrayPattern"===e.type)){let e=t.length;for(;e--;){const n=t[e];if("AssignmentExpression"===n.type)return!0;if("ObjectProperty"!==n.type&&!n.type.endsWith("Pattern"))break}}return!1}function vn(e,t){for(const n of e.params)for(const e of Sn(n))t(e)}function bn(e,t){for(const n of e.body)if("VariableDeclaration"===n.type){if(n.declare)continue;for(const e of n.declarations)for(const n of Sn(e.id))t(n)}else if("FunctionDeclaration"===n.type||"ClassDeclaration"===n.type){if(n.declare||!n.id)continue;t(n.id)}}function Sn(e,t=[]){switch(e.type){case"Identifier":t.push(e);break;case"MemberExpression":let n=e;for(;"MemberExpression"===n.type;)n=n.object;t.push(n);break;case"ObjectPattern":for(const o of e.properties)Sn("RestElement"===o.type?o.argument:o.value,t);break;case"ArrayPattern":e.elements.forEach((e=>{e&&Sn(e,t)}));break;case"RestElement":Sn(e.argument,t);break;case"AssignmentPattern":Sn(e.left,t)}return t}const xn=e=>/Function(?:Expression|Declaration)$|Method$/.test(e.type),kn=e=>e&&("ObjectProperty"===e.type||"ObjectMethod"===e.type)&&!e.computed,Nn=(e,t)=>kn(t)&&t.key===e,_n=(e,t)=>{if(5===e.type)e.content=Tn(e.content,t);else if(1===e.type)for(let n=0;n<e.props.length;n++){const o=e.props[n];if(7===o.type&&"for"!==o.name){const e=o.exp,n=o.arg;!e||4!==e.type||"on"===o.name&&n||(o.exp=Tn(e,t,"slot"===o.name)),n&&4===n.type&&!n.isStatic&&(o.arg=Tn(n,t))}}};function Tn(e,t,n=!1,o=!1,r=Object.create(t.identifiers)){return e}function En(e){return m(e)?e:4===e.type?e.content:e.children.map(En).join("")}const wn=rn(/^(if|else|else-if)$/,((e,t,n)=>$n(e,t,n,((e,t,o)=>{const r=n.parent.children;let s=r.indexOf(e),i=0;for(;s-- >=0;){const e=r[s];e&&9===e.type&&(i+=e.branches.length)}return()=>{if(o)e.codegenNode=Cn(t,i,n);else{const o=function(e){for(;;)if(19===e.type){if(19!==e.alternate.type)return e;e=e.alternate}else 20===e.type&&(e=e.value)}(e.codegenNode);o.alternate=Cn(t,i+e.branches.length-1,n)}}}))));function $n(e,t,n,o){if(!("else"===t.name||t.exp&&t.exp.content.trim())){t.exp=Ne("true",!1,t.exp?t.exp.loc:e.loc)}if("if"===t.name){const r=On(e,t),s={type:9,loc:e.loc,branches:[r]};if(n.replaceNode(s),o)return o(s,r,!0)}else{const r=n.parent.children;let s=r.indexOf(e);for(;s-- >=-1;){const i=r[s];if(i&&3===i.type)n.removeNode(i);else{if(!i||2!==i.type||i.content.trim().length){if(i&&9===i.type){n.removeNode();const r=On(e,t);i.branches.push(r);const s=o&&o(i,r,!1);on(r,n),s&&s(),n.currentNode=null}break}n.removeNode(i)}}}}function On(e,t){const n=3===e.tagType;return{type:10,loc:e.loc,condition:"else"===t.name?void 0:t.exp,children:n&&!Ye(e,"for")?e.children:[e],userKey:Qe(e,"key"),isTemplateIf:n}}function Cn(e,t,n){return e.condition?$e(e.condition,Mn(e,t,n),Ee(n.helper(F),['""',"true"])):Mn(e,t,n)}function Mn(e,t,n){const{helper:o}=n,r=ke("key",Ne(`${t}`,!1,ye,2)),{children:s}=e,i=s[0];if(1!==s.length||1!==i.type){if(1===s.length&&11===i.type){const e=i.codegenNode;return at(e,r,n),e}{let t=64;return be(n,o(C),xe([r]),s,t+"",void 0,void 0,!0,!1,!1,e.loc)}}{const e=i.codegenNode,t=dt(e);return 13===t.type&&ht(t,n),at(t,r,n),e}}const In=rn("for",((e,t,n)=>{const{helper:o,removeHelper:r}=n;return Pn(e,t,n,(t=>{const s=Ee(o(K),[t.source]),i=ot(e),c=Ye(e,"memo"),l=Qe(e,"key"),a=l&&(6===l.type?Ne(l.value.content,!0):l.exp),p=l?ke("key",a):null,u=4===t.source.type&&t.source.constType>0,f=u?64:l?128:256;return t.codegenNode=be(n,o(C),void 0,s,f+"",void 0,void 0,!0,!u,!1,e.loc),()=>{let l;const{children:f}=t,d=1!==f.length||1!==f[0].type,h=rt(e)?e:i&&1===e.children.length&&rt(e.children[0])?e.children[0]:null;if(h?(l=h.codegenNode,i&&p&&at(l,p,n)):d?l=be(n,o(C),p?xe([p]):void 0,e.children,"64",void 0,void 0,!0,void 0,!1):(l=f[0].codegenNode,i&&p&&at(l,p,n),l.isBlock!==!u&&(l.isBlock?(r(V),r(it(n.inSSR,l.isComponent))):r(st(n.inSSR,l.isComponent))),l.isBlock=!u,l.isBlock?(o(V),o(it(n.inSSR,l.isComponent))):o(st(n.inSSR,l.isComponent))),c){const e=we(An(t.parseResult,[Ne("_cached")]));e.body=Ce([Te(["const _memo = (",c.exp,")"]),Te(["if (_cached",...a?[" && _cached.key === ",a]:[],` && ${n.helperString(he)}(_cached, _memo)) return _cached`]),Te(["const _item = ",l]),Ne("_item.memo = _memo"),Ne("return _item")]),s.arguments.push(e,Ne("_cache"),Ne(String(n.cached++)))}else s.arguments.push(we(An(t.parseResult),l,!0))}}))}));function Pn(e,t,n,o){if(!t.exp)return;const r=Bn(t.exp);if(!r)return;const{scopes:s}=n,{source:i,value:c,key:l,index:a}=r,p={type:11,loc:t.loc,source:i,valueAlias:c,keyAlias:l,objectIndexAlias:a,parseResult:r,children:ot(e)?e.children:[e]};n.replaceNode(p),s.vFor++;const u=o&&o(p);return()=>{s.vFor--,u&&u()}}const Rn=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,Vn=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,Ln=/^\(|\)$/g;function Bn(e,t){const n=e.loc,o=e.content,r=o.match(Rn);if(!r)return;const[,s,i]=r,c={source:jn(n,i.trim(),o.indexOf(i,s.length)),value:void 0,key:void 0,index:void 0};let l=s.trim().replace(Ln,"").trim();const a=s.indexOf(l),p=l.match(Vn);if(p){l=l.replace(Vn,"").trim();const e=p[1].trim();let t;if(e&&(t=o.indexOf(e,a+l.length),c.key=jn(n,e,t)),p[2]){const r=p[2].trim();r&&(c.index=jn(n,r,o.indexOf(r,c.key?t+e.length:a+l.length)))}}return l&&(c.value=jn(n,l,a)),c}function jn(e,t,n){return Ne(t,!1,Ge(e,n,t.length))}function An({value:e,key:t,index:n},o=[]){return function(e){let t=e.length;for(;t--&&!e[t];);return e.slice(0,t+1).map(((e,t)=>e||Ne("_".repeat(t+1),!1)))}([e,t,n,...o])}const Fn=Ne("undefined",!1),Dn=(e,t)=>{if(1===e.type&&(1===e.tagType||3===e.tagType)){const n=Ye(e,"slot");if(n)return t.scopes.vSlot++,()=>{t.scopes.vSlot--}}},Hn=(e,t)=>{let n;if(ot(e)&&e.props.some(nt)&&(n=Ye(e,"for"))){const e=n.parseResult=Bn(n.exp);if(e){const{value:n,key:o,index:r}=e,{addIdentifiers:s,removeIdentifiers:i}=t;return n&&s(n),o&&s(o),r&&s(r),()=>{n&&i(n),o&&i(o),r&&i(r)}}}},Wn=(e,t,n)=>we(e,t,!1,!0,t.length?t[0].loc:n);function Un(e,t,n=Wn){t.helper(pe);const{children:o,loc:r}=e,s=[],i=[];let c=t.scopes.vSlot>0||t.scopes.vFor>0;const l=Ye(e,"slot",!0);if(l){const{arg:e,exp:t}=l;e&&!Le(e)&&(c=!0),s.push(ke(e||Ne("default",!0),n(t,o,r)))}let a=!1,p=!1;const u=[],f=new Set;let d=0;for(let g=0;g<o.length;g++){const e=o[g];let r;if(!ot(e)||!(r=Ye(e,"slot",!0))){3!==e.type&&u.push(e);continue}if(l)break;a=!0;const{children:h,loc:m}=e,{arg:y=Ne("default",!0),exp:v}=r;let b;Le(y)?b=y?y.content:"default":c=!0;const S=n(v,h,m);let x,k,N;if(x=Ye(e,"if"))c=!0,i.push($e(x.exp,Jn(y,S,d++),Fn));else if(k=Ye(e,/^else(-if)?$/,!0)){let e,t=g;for(;t--&&(e=o[t],3===e.type););if(e&&ot(e)&&Ye(e,"if")){o.splice(g,1),g--;let e=i[i.length-1];for(;19===e.alternate.type;)e=e.alternate;e.alternate=k.exp?$e(k.exp,Jn(y,S,d++),Fn):Jn(y,S,d++)}}else if(N=Ye(e,"for")){c=!0;const e=N.parseResult||Bn(N.exp);e&&i.push(Ee(t.helper(K),[e.source,we(An(e),Jn(y,S),!0)]))}else{if(b){if(f.has(b))continue;f.add(b),"default"===b&&(p=!0)}s.push(ke(y,S))}}if(!l){const e=(e,o)=>{const s=n(e,o,r);return t.compatConfig&&(s.isNonScopedSlot=!0),ke("default",s)};a?u.length&&u.some((e=>Gn(e)))&&(p||s.push(e(void 0,u))):s.push(e(void 0,o))}const h=c?2:zn(e.children)?3:1;let m=xe(s.concat(ke("_",Ne(h+"",!1))),r);return i.length&&(m=Ee(t.helper(Z),[m,Se(i)])),{slots:m,hasDynamicSlots:c}}function Jn(e,t,n){const o=[ke("name",e),ke("fn",t)];return null!=n&&o.push(ke("key",Ne(String(n),!0))),xe(o)}function zn(e){for(let t=0;t<e.length;t++){const n=e[t];switch(n.type){case 1:if(2===n.tagType||zn(n.children))return!0;break;case 9:if(zn(n.branches))return!0;break;case 10:case 11:if(zn(n.children))return!0}}return!1}function Gn(e){return 2!==e.type&&12!==e.type||(2===e.type?!!e.content.trim():Gn(e.content))}const Kn=new WeakMap,qn=(e,t)=>function(){if(1!==(e=t.currentNode).type||0!==e.tagType&&1!==e.tagType)return;const{tag:n,props:o}=e,r=1===e.tagType;let s=r?Zn(e,t):`"${n}"`;const i=y(s)&&s.callee===U;let c,l,a,p,u,f,d=0,h=i||s===M||s===I||!r&&("svg"===n||"foreignObject"===n);if(o.length>0){const n=Yn(e,t,void 0,r,i);c=n.props,d=n.patchFlag,u=n.dynamicPropNames;const o=n.directives;f=o&&o.length?Se(o.map((e=>eo(e,t)))):void 0,n.shouldUseBlock&&(h=!0)}if(e.children.length>0){s===P&&(h=!0,d|=1024);if(r&&s!==M&&s!==P){const{slots:n,hasDynamicSlots:o}=Un(e,t);l=n,o&&(d|=1024)}else if(1===e.children.length&&s!==M){const n=e.children[0],o=n.type,r=5===o||8===o;r&&0===qt(n,t)&&(d|=1),l=r||2===o?n:e.children}else l=e.children}0!==d&&(a=String(d),u&&u.length&&(p=function(e){let t="[";for(let n=0,o=e.length;n<o;n++)t+=JSON.stringify(e[n]),n<o-1&&(t+=", ");return t+"]"}(u))),e.codegenNode=be(t,s,c,l,a,p,f,!!h,!1,r,e.loc)};function Zn(e,t,n=!1){let{tag:o}=e;const r=to(o),s=Qe(e,"is");if(s)if(r||yt("COMPILER_IS_ON_ELEMENT",t)){const e=6===s.type?s.value&&Ne(s.value.content,!0):s.exp;if(e)return Ee(t.helper(U),[e])}else 6===s.type&&s.value.content.startsWith("vue:")&&(o=s.value.content.slice(4));const i=!r&&Ye(e,"is");if(i&&i.exp)return Ee(t.helper(U),[i.exp]);const c=je(o)||t.isBuiltInComponent(o);return c?(n||t.helper(c),c):(t.helper(W),t.components.add(o),ut(o,"component"))}function Yn(e,t,n=e.props,o,r,s=!1){const{tag:i,loc:c,children:l}=e;let a=[];const p=[],u=[],d=l.length>0;let h=!1,m=0,y=!1,S=!1,x=!1,k=!1,N=!1,_=!1;const T=[],E=e=>{a.length&&(p.push(xe(Qn(a),c)),a=[]),e&&p.push(e)},w=({key:e,value:n})=>{if(Le(e)){const s=e.content,i=f(s);if(!i||o&&!r||"onclick"===s.toLowerCase()||"onUpdate:modelValue"===s||v(s)||(k=!0),i&&v(s)&&(_=!0),20===n.type||(4===n.type||8===n.type)&&qt(n,t)>0)return;"ref"===s?y=!0:"class"===s?S=!0:"style"===s?x=!0:"key"===s||T.includes(s)||T.push(s),!o||"class"!==s&&"style"!==s||T.includes(s)||T.push(s)}else N=!0};for(let f=0;f<n.length;f++){const r=n[f];if(6===r.type){const{loc:e,name:n,value:o}=r;let s=!0;if("ref"===n&&(y=!0,t.scopes.vFor>0&&a.push(ke(Ne("ref_for",!0),Ne("true")))),"is"===n&&(to(i)||o&&o.content.startsWith("vue:")||yt("COMPILER_IS_ON_ELEMENT",t)))continue;a.push(ke(Ne(n,!0,Ge(e,0,n.length)),Ne(o?o.content:"",s,o?o.loc:e)))}else{const{name:n,arg:l,exp:f,loc:m}=r,y="bind"===n,v="on"===n;if("slot"===n)continue;if("once"===n||"memo"===n)continue;if("is"===n||y&&Xe(l,"is")&&(to(i)||yt("COMPILER_IS_ON_ELEMENT",t)))continue;if(v&&s)continue;if((y&&Xe(l,"key")||v&&d&&Xe(l,"vue:before-update"))&&(h=!0),y&&Xe(l,"ref")&&t.scopes.vFor>0&&a.push(ke(Ne("ref_for",!0),Ne("true"))),!l&&(y||v)){if(N=!0,f)if(y){if(E(),yt("COMPILER_V_BIND_OBJECT_ORDER",t)){p.unshift(f);continue}p.push(f)}else E({type:14,loc:m,callee:t.helper(oe),arguments:o?[f]:[f,"true"]});continue}const S=t.directiveTransforms[n];if(S){const{props:n,needRuntime:o}=S(r,e,t);!s&&n.forEach(w),v&&l&&!Le(l)?E(xe(n,c)):a.push(...n),o&&(u.push(r),g(o)&&Kn.set(r,o))}else b(n)||(u.push(r),d&&(h=!0))}}let $;if(p.length?(E(),$=p.length>1?Ee(t.helper(Q),p,c):p[0]):a.length&&($=xe(Qn(a),c)),N?m|=16:(S&&!o&&(m|=2),x&&!o&&(m|=4),T.length&&(m|=8),k&&(m|=32)),h||0!==m&&32!==m||!(y||_||u.length>0)||(m|=512),!t.inSSR&&$)switch($.type){case 15:let e=-1,n=-1,o=!1;for(let t=0;t<$.properties.length;t++){const r=$.properties[t].key;Le(r)?"class"===r.content?e=t:"style"===r.content&&(n=t):r.isHandlerKey||(o=!0)}const r=$.properties[e],s=$.properties[n];o?$=Ee(t.helper(te),[$]):(r&&!Le(r.value)&&(r.value=Ee(t.helper(X),[r.value])),s&&(x||4===s.value.type&&"["===s.value.content.trim()[0]||17===s.value.type)&&(s.value=Ee(t.helper(ee),[s.value])));break;case 14:break;default:$=Ee(t.helper(te),[Ee(t.helper(ne),[$])])}return{props:$,directives:u,patchFlag:m,dynamicPropNames:T,shouldUseBlock:h}}function Qn(e){const t=new Map,n=[];for(let o=0;o<e.length;o++){const r=e[o];if(8===r.key.type||!r.key.isStatic){n.push(r);continue}const s=r.key.content,i=t.get(s);i?("style"===s||"class"===s||f(s))&&Xn(i,r):(t.set(s,r),n.push(r))}return n}function Xn(e,t){17===e.value.type?e.value.elements.push(t.value):e.value=Se([e.value,t.value],e.loc)}function eo(e,t){const n=[],o=Kn.get(e);o?n.push(t.helperString(o)):(t.helper(J),t.directives.add(e.name),n.push(ut(e.name,"directive")));const{loc:r}=e;if(e.exp&&n.push(e.exp),e.arg&&(e.exp||n.push("void 0"),n.push(e.arg)),Object.keys(e.modifiers).length){e.arg||(e.exp||n.push("void 0"),n.push("void 0"));const t=Ne("true",!1,r);n.push(xe(e.modifiers.map((e=>ke(e,t))),r))}return Se(n,e.loc)}function to(e){return"component"===e||"Component"===e}const no=(e,t)=>{if(rt(e)){const{children:n,loc:o}=e,{slotName:r,slotProps:s}=oo(e,t),i=[t.prefixIdentifiers?"_ctx.$slots":"$slots",r,"{}","undefined","true"];let c=2;s&&(i[2]=s,c=3),n.length&&(i[3]=we([],n,!1,!1,o),c=4),t.scopeId&&!t.slotted&&(c=5),i.splice(c),e.codegenNode=Ee(t.helper(q),i,o)}};function oo(e,t){let n,o='"default"';const r=[];for(let s=0;s<e.props.length;s++){const t=e.props[s];6===t.type?t.value&&("name"===t.name?o=JSON.stringify(t.value.content):(t.name=k(t.name),r.push(t))):"bind"===t.name&&Xe(t.arg,"name")?t.exp&&(o=t.exp):("bind"===t.name&&t.arg&&Le(t.arg)&&(t.arg.content=k(t.arg.content)),r.push(t))}if(r.length>0){const{props:o,directives:s}=Yn(e,t,r,!1,!1);n=o}return{slotName:o,slotProps:n}}const ro=/^\s*([\w$_]+|(async\s*)?\([^)]*?\))\s*(:[^=]+)?=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/,so=(e,t,n,o)=>{const{loc:r,modifiers:s,arg:i}=e;let c;if(4===i.type)if(i.isStatic){let e=i.content;e.startsWith("vue:")&&(e=`vnode-${e.slice(4)}`);c=Ne(0!==t.tagType||e.startsWith("vnode")||!/[A-Z]/.test(e)?E(k(e)):`on:${e}`,!0,i.loc)}else c=Te([`${n.helperString(ie)}(`,i,")"]);else c=i,c.children.unshift(`${n.helperString(ie)}(`),c.children.push(")");let l=e.exp;l&&!l.content.trim()&&(l=void 0);let a=n.cacheHandlers&&!l&&!n.inVOnce;if(l){const e=ze(l.content),t=!(e||ro.test(l.content)),n=l.content.includes(";");(t||a&&e)&&(l=Te([`${t?"$event":"(...args)"} => ${n?"{":"("}`,l,n?"}":")"]))}let p={props:[ke(c,l||Ne("() => {}",!1,r))]};return o&&(p=o(p)),a&&(p.props[0].value=n.cache(p.props[0].value)),p.props.forEach((e=>e.key.isHandlerKey=!0)),p},io=(e,t,n)=>{const{exp:o,modifiers:r,loc:s}=e,i=e.arg;return 4!==i.type?(i.children.unshift("("),i.children.push(') || ""')):i.isStatic||(i.content=`${i.content} || ""`),r.includes("camel")&&(4===i.type?i.content=i.isStatic?k(i.content):`${n.helperString(re)}(${i.content})`:(i.children.unshift(`${n.helperString(re)}(`),i.children.push(")"))),n.inSSR||(r.includes("prop")&&co(i,"."),r.includes("attr")&&co(i,"^")),!o||4===o.type&&!o.content.trim()?{props:[ke(i,Ne("",!0,s))]}:{props:[ke(i,o)]}},co=(e,t)=>{4===e.type?e.content=e.isStatic?t+e.content:`\`${t}\${${e.content}}\``:(e.children.unshift(`'${t}' + (`),e.children.push(")"))},lo=(e,t)=>{if(0===e.type||1===e.type||11===e.type||10===e.type)return()=>{const n=e.children;let o,r=!1;for(let e=0;e<n.length;e++){const t=n[e];if(tt(t)){r=!0;for(let r=e+1;r<n.length;r++){const s=n[r];if(!tt(s)){o=void 0;break}o||(o=n[e]=Te([t],t.loc)),o.children.push(" + ",s),n.splice(r,1),r--}}}if(r&&(1!==n.length||0!==e.type&&(1!==e.type||0!==e.tagType||e.props.find((e=>7===e.type&&!t.directiveTransforms[e.name]))||"template"===e.tag)))for(let e=0;e<n.length;e++){const o=n[e];if(tt(o)||8===o.type){const r=[];2===o.type&&" "===o.content||r.push(o),t.ssr||0!==qt(o,t)||r.push("1"),n[e]={type:12,content:o,loc:o.loc,codegenNode:Ee(t.helper(D),r)}}}}},ao=new WeakSet,po=(e,t)=>{if(1===e.type&&Ye(e,"once",!0)){if(ao.has(e)||t.inVOnce)return;return ao.add(e),t.inVOnce=!0,t.helper(ce),()=>{t.inVOnce=!1;const e=t.currentNode;e.codegenNode&&(e.codegenNode=t.cache(e.codegenNode,!0))}}},uo=(e,t,n)=>{const{exp:o,arg:r}=e;if(!o)return fo();const s=o.loc.source,i=4===o.type?o.content:s;if(!i.trim()||!ze(i))return fo();const c=r||Ne("modelValue",!0),l=r?Le(r)?`onUpdate:${r.content}`:Te(['"onUpdate:" + ',r]):"onUpdate:modelValue";let a;a=Te([`${n.isTS?"($event: any)":"$event"} => ((`,o,") = $event)"]);const p=[ke(c,e.exp),ke(l,a)];if(e.modifiers.length&&1===t.tagType){const t=e.modifiers.map((e=>(Fe(e)?e:JSON.stringify(e))+": true")).join(", "),n=r?Le(r)?`${r.content}Modifiers`:Te([r,' + "Modifiers"']):"modelModifiers";p.push(ke(n,Ne(`{ ${t} }`,!1,e.loc,2)))}return fo(p)};function fo(e=[]){return{props:e}}const ho=/[\w).+\-_$\]]/,mo=(e,t)=>{yt("COMPILER_FILTER",t)&&(5===e.type&&go(e.content,t),1===e.type&&e.props.forEach((e=>{7===e.type&&"for"!==e.name&&e.exp&&go(e.exp,t)})))};function go(e,t){if(4===e.type)yo(e,t);else for(let n=0;n<e.children.length;n++){const o=e.children[n];"object"==typeof o&&(4===o.type?yo(o,t):8===o.type?go(e,t):5===o.type&&go(o.content,t))}}function yo(e,t){const n=e.content;let o,r,s,i,c=!1,l=!1,a=!1,p=!1,u=0,f=0,d=0,h=0,m=[];for(s=0;s<n.length;s++)if(r=o,o=n.charCodeAt(s),c)39===o&&92!==r&&(c=!1);else if(l)34===o&&92!==r&&(l=!1);else if(a)96===o&&92!==r&&(a=!1);else if(p)47===o&&92!==r&&(p=!1);else if(124!==o||124===n.charCodeAt(s+1)||124===n.charCodeAt(s-1)||u||f||d){switch(o){case 34:l=!0;break;case 39:c=!0;break;case 96:a=!0;break;case 40:d++;break;case 41:d--;break;case 91:f++;break;case 93:f--;break;case 123:u++;break;case 125:u--}if(47===o){let e,t=s-1;for(;t>=0&&(e=n.charAt(t)," "===e);t--);e&&ho.test(e)||(p=!0)}}else void 0===i?(h=s+1,i=n.slice(0,s).trim()):g();function g(){m.push(n.slice(h,s).trim()),h=s+1}if(void 0===i?i=n.slice(0,s).trim():0!==h&&g(),m.length){for(s=0;s<m.length;s++)i=vo(i,m[s],t);e.content=i}}function vo(e,t,n){n.helper(z);const o=t.indexOf("(");if(o<0)return n.filters.add(t),`${ut(t,"filter")}(${e})`;{const r=t.slice(0,o),s=t.slice(o+1);return n.filters.add(r),`${ut(r,"filter")}(${e}${")"!==s?","+s:s}`}}const bo=new WeakSet,So=(e,t)=>{if(1===e.type){const n=Ye(e,"memo");if(!n||bo.has(e))return;return bo.add(e),()=>{const o=e.codegenNode||t.currentNode.codegenNode;o&&13===o.type&&(1!==e.tagType&&ht(o,t),e.codegenNode=Ee(t.helper(de),[n.exp,we(void 0,o),"_cache",String(t.cached++)]))}}};function xo(e){return[[po,wn,So,In,mo,no,qn,Dn,lo],{on:so,bind:io,model:uo}]}function ko(e,t={}){const n=t.onError||w,o="module"===t.mode;!0===t.prefixIdentifiers?n(O(46)):o&&n(O(47));t.cacheHandlers&&n(O(48)),t.scopeId&&!o&&n(O(49));const r=m(e)?Nt(e,t):e,[s,i]=xo();return nn(r,d({},t,{prefixIdentifiers:false,nodeTransforms:[...s,...t.nodeTransforms||[]],directiveTransforms:d({},i,t.directiveTransforms||{})})),cn(r,d({},t,{prefixIdentifiers:false}))}const No=()=>({props:[]}),_o=Symbol(""),To=Symbol(""),Eo=Symbol(""),wo=Symbol(""),$o=Symbol(""),Oo=Symbol(""),Co=Symbol(""),Mo=Symbol(""),Io=Symbol(""),Po=Symbol("");let Ro;ge({[_o]:"vModelRadio",[To]:"vModelCheckbox",[Eo]:"vModelText",[wo]:"vModelSelect",[$o]:"vModelDynamic",[Oo]:"withModifiers",[Co]:"withKeys",[Mo]:"vShow",[Io]:"Transition",[Po]:"TransitionGroup"});const Vo=e("style,iframe,script,noscript",!0),Lo={isVoidTag:c,isNativeTag:e=>s(e)||i(e),isPreTag:e=>"pre"===e,decodeEntities:function(e,t=!1){return Ro||(Ro=document.createElement("div")),t?(Ro.innerHTML=`<div foo="${e.replace(/"/g,"&quot;")}">`,Ro.children[0].getAttribute("foo")):(Ro.innerHTML=e,Ro.textContent)},isBuiltInComponent:e=>Be(e,"Transition")?Io:Be(e,"TransitionGroup")?Po:void 0,getNamespace(e,t){let n=t?t.ns:0;if(t&&2===n)if("annotation-xml"===t.tag){if("svg"===e)return 1;t.props.some((e=>6===e.type&&"encoding"===e.name&&null!=e.value&&("text/html"===e.value.content||"application/xhtml+xml"===e.value.content)))&&(n=0)}else/^m(?:[ions]|text)$/.test(t.tag)&&"mglyph"!==e&&"malignmark"!==e&&(n=0);else t&&1===n&&("foreignObject"!==t.tag&&"desc"!==t.tag&&"title"!==t.tag||(n=0));if(0===n){if("svg"===e)return 1;if("math"===e)return 2}return n},getTextMode({tag:e,ns:t}){if(0===t){if("textarea"===e||"title"===e)return 1;if(Vo(e))return 2}return 0}},Bo=e=>{1===e.type&&e.props.forEach(((t,n)=>{6===t.type&&"style"===t.name&&t.value&&(e.props[n]={type:7,name:"bind",arg:Ne("style",!0,t.loc),exp:jo(t.value.content,t.loc),modifiers:[],loc:t.loc})}))},jo=(e,t)=>{const s=function(e){const t={};return e.replace(r,"").split(n).forEach((e=>{if(e){const n=e.split(o);n.length>1&&(t[n[0].trim()]=n[1].trim())}})),t}(e);return Ne(JSON.stringify(s),!1,t,3)};function Ao(e,t){return O(e,t)}const Fo=e("passive,once,capture"),Do=e("stop,prevent,self,ctrl,shift,alt,meta,exact,middle"),Ho=e("left,right"),Wo=e("onkeyup,onkeydown,onkeypress",!0),Uo=(e,t)=>Le(e)&&"onclick"===e.content.toLowerCase()?Ne(t,!0):4!==e.type?Te(["(",e,`) === "onClick" ? "${t}" : (`,e,")"]):e,Jo=(e,t)=>{1!==e.type||0!==e.tagType||"script"!==e.tag&&"style"!==e.tag||t.removeNode()},zo=[Bo],Go={cloak:No,html:(e,t,n)=>{const{exp:o,loc:r}=e;return t.children.length&&(t.children.length=0),{props:[ke(Ne("innerHTML",!0,r),o||Ne("",!0))]}},text:(e,t,n)=>{const{exp:o,loc:r}=e;return t.children.length&&(t.children.length=0),{props:[ke(Ne("textContent",!0),o?qt(o,n)>0?o:Ee(n.helperString(Y),[o],r):Ne("",!0))]}},model:(e,t,n)=>{const o=uo(e,t,n);if(!o.props.length||1===t.tagType)return o;const{tag:r}=t,s=n.isCustomElement(r);if("input"===r||"textarea"===r||"select"===r||s){let e=Eo,i=!1;if("input"===r||s){const n=Qe(t,"type");if(n){if(7===n.type)e=$o;else if(n.value)switch(n.value.content){case"radio":e=_o;break;case"checkbox":e=To;break;case"file":i=!0}}else et(t)&&(e=$o)}else"select"===r&&(e=wo);i||(o.needRuntime=n.helper(e))}return o.props=o.props.filter((e=>!(4===e.key.type&&"modelValue"===e.key.content))),o},on:(e,t,n)=>so(e,t,n,(t=>{const{modifiers:o}=e;if(!o.length)return t;let{key:r,value:s}=t.props[0];const{keyModifiers:i,nonKeyModifiers:c,eventOptionModifiers:l}=((e,t,n,o)=>{const r=[],s=[],i=[];for(let c=0;c<t.length;c++){const o=t[c];"native"===o&&vt("COMPILER_V_ON_NATIVE",n)||Fo(o)?i.push(o):Ho(o)?Le(e)?Wo(e.content)?r.push(o):s.push(o):(r.push(o),s.push(o)):Do(o)?s.push(o):r.push(o)}return{keyModifiers:r,nonKeyModifiers:s,eventOptionModifiers:i}})(r,o,n);if(c.includes("right")&&(r=Uo(r,"onContextmenu")),c.includes("middle")&&(r=Uo(r,"onMouseup")),c.length&&(s=Ee(n.helper(Oo),[s,JSON.stringify(c)])),!i.length||Le(r)&&!Wo(r.content)||(s=Ee(n.helper(Co),[s,JSON.stringify(i)])),l.length){const e=l.map(T).join("");r=Le(r)?Ne(`${r.content}${e}`,!0):Te(["(",r,`) + "${e}"`])}return{props:[ke(r,s)]}})),show:(e,t,n)=>({props:[],needRuntime:n.helper(Mo)})};function Ko(e,t={}){return ko(e,d({},Lo,t,{nodeTransforms:[Jo,...zo,...t.nodeTransforms||[]],directiveTransforms:d({},Go,t.directiveTransforms||{}),transformHoist:null}))}function qo(e,t={}){return Nt(e,d({},Lo,t))}export{R as BASE_TRANSITION,re as CAMELIZE,se as CAPITALIZE,L as CREATE_BLOCK,F as CREATE_COMMENT,B as CREATE_ELEMENT_BLOCK,A as CREATE_ELEMENT_VNODE,Z as CREATE_SLOTS,H as CREATE_STATIC,D as CREATE_TEXT,j as CREATE_VNODE,Go as DOMDirectiveTransforms,zo as DOMNodeTransforms,C as FRAGMENT,ne as GUARD_REACTIVE_PROPS,he as IS_MEMO_SAME,fe as IS_REF,P as KEEP_ALIVE,Q as MERGE_PROPS,X as NORMALIZE_CLASS,te as NORMALIZE_PROPS,ee as NORMALIZE_STYLE,V as OPEN_BLOCK,ae as POP_SCOPE_ID,le as PUSH_SCOPE_ID,K as RENDER_LIST,q as RENDER_SLOT,W as RESOLVE_COMPONENT,J as RESOLVE_DIRECTIVE,U as RESOLVE_DYNAMIC_COMPONENT,z as RESOLVE_FILTER,ce as SET_BLOCK_TRACKING,I as SUSPENSE,M as TELEPORT,Y as TO_DISPLAY_STRING,oe as TO_HANDLERS,ie as TO_HANDLER_KEY,Io as TRANSITION,Po as TRANSITION_GROUP,ue as UNREF,To as V_MODEL_CHECKBOX,$o as V_MODEL_DYNAMIC,_o as V_MODEL_RADIO,wo as V_MODEL_SELECT,Eo as V_MODEL_TEXT,Co as V_ON_WITH_KEYS,Oo as V_ON_WITH_MODIFIERS,Mo as V_SHOW,pe as WITH_CTX,G as WITH_DIRECTIVES,de as WITH_MEMO,Ke as advancePositionWithClone,qe as advancePositionWithMutation,Ze as assert,ko as baseCompile,Nt as baseParse,eo as buildDirectiveArgs,Yn as buildProps,Un as buildSlots,vt as checkCompatEnabled,Ko as compile,Se as createArrayExpression,Pe as createAssignmentExpression,Ce as createBlockStatement,Oe as createCacheExpression,Ee as createCallExpression,O as createCompilerError,Te as createCompoundExpression,$e as createConditionalExpression,Ao as createDOMCompilerError,An as createForLoopParams,we as createFunctionExpression,Ie as createIfStatement,_e as createInterpolation,xe as createObjectExpression,ke as createObjectProperty,Ve as createReturnStatement,ve as createRoot,Re as createSequenceExpression,Ne as createSimpleExpression,rn as createStructuralDirectiveTransform,Me as createTemplateLiteral,tn as createTransformContext,be as createVNodeCall,Sn as extractIdentifiers,Ye as findDir,Qe as findProp,cn as generate,t as generateCodeFrame,xo as getBaseTransformPreset,qt as getConstantType,Ge as getInnerRange,dt as getMemoedVNodeCall,it as getVNodeBlockHelper,st as getVNodeHelper,et as hasDynamicKeyVBind,ft as hasScopeRef,me as helperNameMap,at as injectProp,Be as isBuiltInType,je as isCoreComponent,xn as isFunctionType,yn as isInDestructureAssignment,ze as isMemberExpression,Ue as isMemberExpressionBrowser,Je as isMemberExpressionNode,gn as isReferencedIdentifier,Fe as isSimpleIdentifier,rt as isSlotOutlet,Xe as isStaticArgOf,Le as isStaticExp,kn as isStaticProperty,Nn as isStaticPropertyKey,ot as isTemplateNode,tt as isText,nt as isVSlot,ye as locStub,ht as makeBlock,No as noopDirectiveTransform,qo as parse,Lo as parserOptions,Tn as processExpression,Pn as processFor,$n as processIf,oo as processSlotOutlet,ge as registerRuntimeHelpers,Zn as resolveComponentType,En as stringifyExpression,ut as toValidAssetId,Dn as trackSlotScopes,Hn as trackVForSlotScopes,nn as transform,io as transformBind,qn as transformElement,_n as transformExpression,uo as transformModel,so as transformOn,Bo as transformStyle,on as traverseNode,bn as walkBlockDeclarations,vn as walkFunctionParams,mn as walkIdentifiers,bt as warnDeprecation};
@@ -91,10 +91,14 @@ var VueCompilerDOM = (function (exports) {
91
91
  }
92
92
 
93
93
  const listDelimiterRE = /;(?![^(]*\))/g;
94
- const propertyDelimiterRE = /:(.+)/;
94
+ const propertyDelimiterRE = /:([^]+)/;
95
+ const styleCommentRE = /\/\*.*?\*\//gs;
95
96
  function parseStringStyle(cssText) {
96
97
  const ret = {};
97
- cssText.split(listDelimiterRE).forEach(item => {
98
+ cssText
99
+ .replace(styleCommentRE, '')
100
+ .split(listDelimiterRE)
101
+ .forEach(item => {
98
102
  if (item) {
99
103
  const tmp = item.split(propertyDelimiterRE);
100
104
  tmp.length > 1 && (ret[tmp[0].trim()] = tmp[1].trim());
@@ -777,7 +781,10 @@ var VueCompilerDOM = (function (exports) {
777
781
  // if doesn't override user provided keys
778
782
  const first = props.arguments[0];
779
783
  if (!isString(first) && first.type === 15 /* NodeTypes.JS_OBJECT_EXPRESSION */) {
780
- first.properties.unshift(prop);
784
+ // #6631
785
+ if (!hasProp(prop, first)) {
786
+ first.properties.unshift(prop);
787
+ }
781
788
  }
782
789
  else {
783
790
  if (props.callee === TO_HANDLERS) {
@@ -794,14 +801,7 @@ var VueCompilerDOM = (function (exports) {
794
801
  !propsWithInjection && (propsWithInjection = props);
795
802
  }
796
803
  else if (props.type === 15 /* NodeTypes.JS_OBJECT_EXPRESSION */) {
797
- let alreadyExists = false;
798
- // check existing key to avoid overriding user provided keys
799
- if (prop.key.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */) {
800
- const propKeyName = prop.key.content;
801
- alreadyExists = props.properties.some(p => p.key.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */ &&
802
- p.key.content === propKeyName);
803
- }
804
- if (!alreadyExists) {
804
+ if (!hasProp(prop, props)) {
805
805
  props.properties.unshift(prop);
806
806
  }
807
807
  propsWithInjection = props;
@@ -836,6 +836,16 @@ var VueCompilerDOM = (function (exports) {
836
836
  }
837
837
  }
838
838
  }
839
+ // check existing key to avoid overriding user provided keys
840
+ function hasProp(prop, props) {
841
+ let result = false;
842
+ if (prop.key.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */) {
843
+ const propKeyName = prop.key.content;
844
+ result = props.properties.some(p => p.key.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */ &&
845
+ p.key.content === propKeyName);
846
+ }
847
+ return result;
848
+ }
839
849
  function toValidAssetId(name, type) {
840
850
  // see issue#4422, we need adding identifier on validAssetId if variable `name` has specific character
841
851
  return `_${type}_${name.replace(/[^\w]/g, (searchValue, replaceValue) => {
@@ -1150,13 +1160,18 @@ var VueCompilerDOM = (function (exports) {
1150
1160
  const next = nodes[i + 1];
1151
1161
  // Remove if:
1152
1162
  // - the whitespace is the first or last node, or:
1153
- // - (condense mode) the whitespace is adjacent to a comment, or:
1163
+ // - (condense mode) the whitespace is between twos comments, or:
1164
+ // - (condense mode) the whitespace is between comment and element, or:
1154
1165
  // - (condense mode) the whitespace is between two elements AND contains newline
1155
1166
  if (!prev ||
1156
1167
  !next ||
1157
1168
  (shouldCondense &&
1158
- (prev.type === 3 /* NodeTypes.COMMENT */ ||
1159
- next.type === 3 /* NodeTypes.COMMENT */ ||
1169
+ ((prev.type === 3 /* NodeTypes.COMMENT */ &&
1170
+ next.type === 3 /* NodeTypes.COMMENT */) ||
1171
+ (prev.type === 3 /* NodeTypes.COMMENT */ &&
1172
+ next.type === 1 /* NodeTypes.ELEMENT */) ||
1173
+ (prev.type === 1 /* NodeTypes.ELEMENT */ &&
1174
+ next.type === 3 /* NodeTypes.COMMENT */) ||
1160
1175
  (prev.type === 1 /* NodeTypes.ELEMENT */ &&
1161
1176
  next.type === 1 /* NodeTypes.ELEMENT */ &&
1162
1177
  /[\r\n]/.test(node.content))))) {
@@ -3118,6 +3133,19 @@ var VueCompilerDOM = (function (exports) {
3118
3133
  return node;
3119
3134
  }
3120
3135
  }
3136
+ function stringifyExpression(exp) {
3137
+ if (isString(exp)) {
3138
+ return exp;
3139
+ }
3140
+ else if (exp.type === 4 /* NodeTypes.SIMPLE_EXPRESSION */) {
3141
+ return exp.content;
3142
+ }
3143
+ else {
3144
+ return exp.children
3145
+ .map(stringifyExpression)
3146
+ .join('');
3147
+ }
3148
+ }
3121
3149
 
3122
3150
  const transformIf = createStructuralDirectiveTransform(/^(if|else|else-if)$/, (node, dir, context) => {
3123
3151
  return processIf(node, dir, context, (ifNode, branch, isRoot) => {
@@ -4479,7 +4507,7 @@ var VueCompilerDOM = (function (exports) {
4479
4507
  };
4480
4508
  }
4481
4509
 
4482
- const fnExpRE = /^\s*([\w$_]+|(async\s*)?\([^)]*?\))\s*=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/;
4510
+ const fnExpRE = /^\s*([\w$_]+|(async\s*)?\([^)]*?\))\s*(:[^=]+)?=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/;
4483
4511
  const transformOn = (dir, node, context, augmentor) => {
4484
4512
  const { loc, modifiers, arg } = dir;
4485
4513
  if (!dir.exp && !modifiers.length) {
@@ -4493,10 +4521,10 @@ var VueCompilerDOM = (function (exports) {
4493
4521
  if (rawName.startsWith('vue:')) {
4494
4522
  rawName = `vnode-${rawName.slice(4)}`;
4495
4523
  }
4496
- const eventString = node.tagType === 1 /* ElementTypes.COMPONENT */ ||
4524
+ const eventString = node.tagType !== 0 /* ElementTypes.ELEMENT */ ||
4497
4525
  rawName.startsWith('vnode') ||
4498
4526
  !/[A-Z]/.test(rawName)
4499
- ? // for component and vnode lifecycle event listeners, auto convert
4527
+ ? // for non-element and vnode lifecycle event listeners, auto convert
4500
4528
  // it to camelCase. See issue #2249
4501
4529
  toHandlerKey(camelize(rawName))
4502
4530
  : // preserve case for plain element listeners that have uppercase
@@ -5644,6 +5672,7 @@ var VueCompilerDOM = (function (exports) {
5644
5672
  exports.processSlotOutlet = processSlotOutlet;
5645
5673
  exports.registerRuntimeHelpers = registerRuntimeHelpers;
5646
5674
  exports.resolveComponentType = resolveComponentType;
5675
+ exports.stringifyExpression = stringifyExpression;
5647
5676
  exports.toValidAssetId = toValidAssetId;
5648
5677
  exports.trackSlotScopes = trackSlotScopes;
5649
5678
  exports.trackVForSlotScopes = trackVForSlotScopes;
@@ -1 +1 @@
1
- var VueCompilerDOM=function(e){"use strict";function t(e,t){const n=Object.create(null),o=e.split(",");for(let r=0;r<o.length;r++)n[o[r]]=!0;return t?e=>!!n[e.toLowerCase()]:e=>!!n[e]}const n=/;(?![^(]*\))/g,o=/:(.+)/;const r=t("html,body,base,head,link,meta,style,title,address,article,aside,footer,header,h1,h2,h3,h4,h5,h6,nav,section,div,dd,dl,dt,figcaption,figure,picture,hr,img,li,main,ol,p,pre,ul,a,b,abbr,bdi,bdo,br,cite,code,data,dfn,em,i,kbd,mark,q,rp,rt,ruby,s,samp,small,span,strong,sub,sup,time,u,var,wbr,area,audio,map,track,video,embed,object,param,source,canvas,script,noscript,del,ins,caption,col,colgroup,table,thead,tbody,td,th,tr,button,datalist,fieldset,form,input,label,legend,meter,optgroup,option,output,progress,select,textarea,details,dialog,menu,summary,template,blockquote,iframe,tfoot"),s=t("svg,animate,animateMotion,animateTransform,circle,clipPath,color-profile,defs,desc,discard,ellipse,feBlend,feColorMatrix,feComponentTransfer,feComposite,feConvolveMatrix,feDiffuseLighting,feDisplacementMap,feDistanceLight,feDropShadow,feFlood,feFuncA,feFuncB,feFuncG,feFuncR,feGaussianBlur,feImage,feMerge,feMergeNode,feMorphology,feOffset,fePointLight,feSpecularLighting,feSpotLight,feTile,feTurbulence,filter,foreignObject,g,hatch,hatchpath,image,line,linearGradient,marker,mask,mesh,meshgradient,meshpatch,meshrow,metadata,mpath,path,pattern,polygon,polyline,radialGradient,rect,set,solidcolor,stop,switch,symbol,text,textPath,title,tspan,unknown,use,view"),i=t("area,base,br,col,embed,hr,img,input,link,meta,param,source,track,wbr"),c={},l=()=>{},a=()=>!1,p=/^on[^a-z]/,u=e=>p.test(e),f=Object.assign,d=Array.isArray,h=e=>"string"==typeof e,m=e=>"symbol"==typeof e,g=e=>null!==e&&"object"==typeof e,y=t(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),v=t("bind,cloak,else-if,else,for,html,if,model,on,once,pre,show,slot,text,memo"),S=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},b=/-(\w)/g,E=S((e=>e.replace(b,((e,t)=>t?t.toUpperCase():"")))),N=/\B([A-Z])/g,_=S((e=>e.replace(N,"-$1").toLowerCase())),T=S((e=>e.charAt(0).toUpperCase()+e.slice(1))),x=S((e=>e?`on${T(e)}`:""));function k(e){throw e}function O(e){}function C(e,t,n,o){const r=new SyntaxError(String(e));return r.code=e,r.loc=t,r}const I=Symbol(""),M=Symbol(""),R=Symbol(""),P=Symbol(""),w=Symbol(""),$=Symbol(""),L=Symbol(""),V=Symbol(""),A=Symbol(""),D=Symbol(""),B=Symbol(""),F=Symbol(""),j=Symbol(""),H=Symbol(""),W=Symbol(""),K=Symbol(""),U=Symbol(""),J=Symbol(""),G=Symbol(""),z=Symbol(""),Y=Symbol(""),Z=Symbol(""),q=Symbol(""),X=Symbol(""),Q=Symbol(""),ee=Symbol(""),te=Symbol(""),ne=Symbol(""),oe=Symbol(""),re=Symbol(""),se=Symbol(""),ie=Symbol(""),ce=Symbol(""),le=Symbol(""),ae=Symbol(""),pe=Symbol(""),ue=Symbol(""),fe=Symbol(""),de=Symbol(""),he={[I]:"Fragment",[M]:"Teleport",[R]:"Suspense",[P]:"KeepAlive",[w]:"BaseTransition",[$]:"openBlock",[L]:"createBlock",[V]:"createElementBlock",[A]:"createVNode",[D]:"createElementVNode",[B]:"createCommentVNode",[F]:"createTextVNode",[j]:"createStaticVNode",[H]:"resolveComponent",[W]:"resolveDynamicComponent",[K]:"resolveDirective",[U]:"resolveFilter",[J]:"withDirectives",[G]:"renderList",[z]:"renderSlot",[Y]:"createSlots",[Z]:"toDisplayString",[q]:"mergeProps",[X]:"normalizeClass",[Q]:"normalizeStyle",[ee]:"normalizeProps",[te]:"guardReactiveProps",[ne]:"toHandlers",[oe]:"camelize",[re]:"capitalize",[se]:"toHandlerKey",[ie]:"setBlockTracking",[ce]:"pushScopeId",[le]:"popScopeId",[ae]:"withCtx",[pe]:"unref",[ue]:"isRef",[fe]:"withMemo",[de]:"isMemoSame"};function me(e){Object.getOwnPropertySymbols(e).forEach((t=>{he[t]=e[t]}))}const ge={source:"",start:{line:1,column:1,offset:0},end:{line:1,column:1,offset:0}};function ye(e,t=ge){return{type:0,children:e,helpers:[],components:[],directives:[],hoists:[],imports:[],cached:0,temps:0,codegenNode:void 0,loc:t}}function ve(e,t,n,o,r,s,i,c=!1,l=!1,a=!1,p=ge){return e&&(c?(e.helper($),e.helper(Xe(e.inSSR,a))):e.helper(qe(e.inSSR,a)),i&&e.helper(J)),{type:13,tag:t,props:n,children:o,patchFlag:r,dynamicProps:s,directives:i,isBlock:c,disableTracking:l,isComponent:a,loc:p}}function Se(e,t=ge){return{type:17,loc:t,elements:e}}function be(e,t=ge){return{type:15,loc:t,properties:e}}function Ee(e,t){return{type:16,loc:ge,key:h(e)?Ne(e,!0):e,value:t}}function Ne(e,t=!1,n=ge,o=0){return{type:4,loc:n,content:e,isStatic:t,constType:t?3:o}}function _e(e,t=ge){return{type:8,loc:t,children:e}}function Te(e,t=[],n=ge){return{type:14,loc:n,callee:e,arguments:t}}function xe(e,t,n=!1,o=!1,r=ge){return{type:18,params:e,returns:t,newline:n,isSlot:o,loc:r}}function ke(e,t,n,o=!0){return{type:19,test:e,consequent:t,alternate:n,newline:o,loc:ge}}function Oe(e,t,n=!1){return{type:20,index:e,value:t,isVNode:n,loc:ge}}function Ce(e){return{type:21,body:e,loc:ge}}const Ie=e=>4===e.type&&e.isStatic,Me=(e,t)=>e===t||e===_(t);function Re(e){return Me(e,"Teleport")?M:Me(e,"Suspense")?R:Me(e,"KeepAlive")?P:Me(e,"BaseTransition")?w:void 0}const Pe=/^\d|[^\$\w]/,we=e=>!Pe.test(e),$e=/[A-Za-z_$\xA0-\uFFFF]/,Le=/[\.\?\w$\xA0-\uFFFF]/,Ve=/\s+[.[]\s*|\s*[.[]\s+/g,Ae=e=>{e=e.trim().replace(Ve,(e=>e.trim()));let t=0,n=[],o=0,r=0,s=null;for(let i=0;i<e.length;i++){const c=e.charAt(i);switch(t){case 0:if("["===c)n.push(t),t=1,o++;else if("("===c)n.push(t),t=2,r++;else if(!(0===i?$e:Le).test(c))return!1;break;case 1:"'"===c||'"'===c||"`"===c?(n.push(t),t=3,s=c):"["===c?o++:"]"===c&&(--o||(t=n.pop()));break;case 2:if("'"===c||'"'===c||"`"===c)n.push(t),t=3,s=c;else if("("===c)r++;else if(")"===c){if(i===e.length-1)return!1;--r||(t=n.pop())}break;case 3:c===s&&(t=n.pop(),s=null)}}return!o&&!r},De=l,Be=Ae;function Fe(e,t,n){const o={source:e.source.slice(t,t+n),start:je(e.start,e.source,t),end:e.end};return null!=n&&(o.end=je(e.start,e.source,t+n)),o}function je(e,t,n=t.length){return He(f({},e),t,n)}function He(e,t,n=t.length){let o=0,r=-1;for(let s=0;s<n;s++)10===t.charCodeAt(s)&&(o++,r=s);return e.offset+=n,e.line+=o,e.column=-1===r?e.column+n:n-r,e}function We(e,t,n=!1){for(let o=0;o<e.props.length;o++){const r=e.props[o];if(7===r.type&&(n||r.exp)&&(h(t)?r.name===t:t.test(r.name)))return r}}function Ke(e,t,n=!1,o=!1){for(let r=0;r<e.props.length;r++){const s=e.props[r];if(6===s.type){if(n)continue;if(s.name===t&&(s.value||o))return s}else if("bind"===s.name&&(s.exp||o)&&Ue(s.arg,t))return s}}function Ue(e,t){return!(!e||!Ie(e)||e.content!==t)}function Je(e){return e.props.some((e=>!(7!==e.type||"bind"!==e.name||e.arg&&4===e.arg.type&&e.arg.isStatic)))}function Ge(e){return 5===e.type||2===e.type}function ze(e){return 7===e.type&&"slot"===e.name}function Ye(e){return 1===e.type&&3===e.tagType}function Ze(e){return 1===e.type&&2===e.tagType}function qe(e,t){return e||t?A:D}function Xe(e,t){return e||t?L:V}const Qe=new Set([ee,te]);function et(e,t=[]){if(e&&!h(e)&&14===e.type){const n=e.callee;if(!h(n)&&Qe.has(n))return et(e.arguments[0],t.concat(e))}return[e,t]}function tt(e,t,n){let o,r,s=13===e.type?e.props:e.arguments[2],i=[];if(s&&!h(s)&&14===s.type){const e=et(s);s=e[0],i=e[1],r=i[i.length-1]}if(null==s||h(s))o=be([t]);else if(14===s.type){const e=s.arguments[0];h(e)||15!==e.type?s.callee===ne?o=Te(n.helper(q),[be([t]),s]):s.arguments.unshift(be([t])):e.properties.unshift(t),!o&&(o=s)}else if(15===s.type){let e=!1;if(4===t.key.type){const n=t.key.content;e=s.properties.some((e=>4===e.key.type&&e.key.content===n))}e||s.properties.unshift(t),o=s}else o=Te(n.helper(q),[be([t]),s]),r&&r.callee===te&&(r=i[i.length-2]);13===e.type?r?r.arguments[0]=o:e.props=o:r?r.arguments[0]=o:e.arguments[2]=o}function nt(e,t){return`_${t}_${e.replace(/[^\w]/g,((t,n)=>"-"===t?"_":e.charCodeAt(n).toString()))}`}function ot(e){return 14===e.type&&e.callee===fe?e.arguments[1].returns:e}function rt(e,{helper:t,removeHelper:n,inSSR:o}){e.isBlock||(e.isBlock=!0,n(qe(o,e.isComponent)),t($),t(Xe(o,e.isComponent)))}const st={COMPILER_IS_ON_ELEMENT:{message:'Platform-native elements with "is" prop will no longer be treated as components in Vue 3 unless the "is" value is explicitly prefixed with "vue:".',link:"https://v3-migration.vuejs.org/breaking-changes/custom-elements-interop.html"},COMPILER_V_BIND_SYNC:{message:e=>`.sync modifier for v-bind has been removed. Use v-model with argument instead. \`v-bind:${e}.sync\` should be changed to \`v-model:${e}\`.`,link:"https://v3-migration.vuejs.org/breaking-changes/v-model.html"},COMPILER_V_BIND_PROP:{message:".prop modifier for v-bind has been removed and no longer necessary. Vue 3 will automatically set a binding as DOM property when appropriate."},COMPILER_V_BIND_OBJECT_ORDER:{message:'v-bind="obj" usage is now order sensitive and behaves like JavaScript object spread: it will now overwrite an existing non-mergeable attribute that appears before v-bind in the case of conflict. To retain 2.x behavior, move v-bind to make it the first attribute. You can also suppress this warning if the usage is intended.',link:"https://v3-migration.vuejs.org/breaking-changes/v-bind.html"},COMPILER_V_ON_NATIVE:{message:".native modifier for v-on has been removed as is no longer necessary.",link:"https://v3-migration.vuejs.org/breaking-changes/v-on-native-modifier-removed.html"},COMPILER_V_IF_V_FOR_PRECEDENCE:{message:"v-if / v-for precedence when used on the same element has changed in Vue 3: v-if now takes higher precedence and will no longer have access to v-for scope variables. It is best to avoid the ambiguity with <template> tags or use a computed property that filters v-for data source.",link:"https://v3-migration.vuejs.org/breaking-changes/v-if-v-for.html"},COMPILER_NATIVE_TEMPLATE:{message:"<template> with no special directives will render as a native template element instead of its inner content in Vue 3."},COMPILER_INLINE_TEMPLATE:{message:'"inline-template" has been removed in Vue 3.',link:"https://v3-migration.vuejs.org/breaking-changes/inline-template-attribute.html"},COMPILER_FILTER:{message:'filters have been removed in Vue 3. The "|" symbol will be treated as native JavaScript bitwise OR operator. Use method calls or computed properties instead.',link:"https://v3-migration.vuejs.org/breaking-changes/filters.html"}};function it(e,t){const n=t.options?t.options.compatConfig:t.compatConfig,o=n&&n[e];return"MODE"===e?o||3:o}function ct(e,t){const n=it("MODE",t),o=it(e,t);return 3===n?!0===o:!1!==o}function lt(e,t,n,...o){return ct(e,t)}const at=/&(gt|lt|amp|apos|quot);/g,pt={gt:">",lt:"<",amp:"&",apos:"'",quot:'"'},ut={delimiters:["{{","}}"],getNamespace:()=>0,getTextMode:()=>0,isVoidTag:a,isPreTag:a,isCustomElement:a,decodeEntities:e=>e.replace(at,((e,t)=>pt[t])),onError:k,onWarn:O,comments:!1};function ft(e,t={}){const n=function(e,t){const n=f({},ut);let o;for(o in t)n[o]=void 0===t[o]?ut[o]:t[o];return{options:n,column:1,line:1,offset:0,originalSource:e,source:e,inPre:!1,inVPre:!1,onWarn:n.onWarn}}(e,t),o=kt(n);return ye(dt(n,0,[]),Ot(n,o))}function dt(e,t,n){const o=Ct(n),r=o?o.ns:0,s=[];for(;!wt(e,t,n);){const i=e.source;let c;if(0===t||1===t)if(!e.inVPre&&It(i,e.options.delimiters[0]))c=_t(e,t);else if(0===t&&"<"===i[0])if(1===i.length);else if("!"===i[1])c=It(i,"\x3c!--")?gt(e):It(i,"<!DOCTYPE")?yt(e):It(i,"<![CDATA[")&&0!==r?mt(e,n):yt(e);else if("/"===i[1])if(2===i.length);else{if(">"===i[2]){Mt(e,3);continue}if(/[a-z]/i.test(i[2])){bt(e,1,o);continue}c=yt(e)}else/[a-z]/i.test(i[1])?(c=vt(e,n),ct("COMPILER_NATIVE_TEMPLATE",e)&&c&&"template"===c.tag&&!c.props.some((e=>7===e.type&&St(e.name)))&&(c=c.children)):"?"===i[1]&&(c=yt(e));if(c||(c=Tt(e,t)),d(c))for(let e=0;e<c.length;e++)ht(s,c[e]);else ht(s,c)}let i=!1;if(2!==t&&1!==t){const t="preserve"!==e.options.whitespace;for(let n=0;n<s.length;n++){const o=s[n];if(2===o.type)if(e.inPre)o.content=o.content.replace(/\r\n/g,"\n");else if(/[^\t\r\n\f ]/.test(o.content))t&&(o.content=o.content.replace(/[\t\r\n\f ]+/g," "));else{const e=s[n-1],r=s[n+1];!e||!r||t&&(3===e.type||3===r.type||1===e.type&&1===r.type&&/[\r\n]/.test(o.content))?(i=!0,s[n]=null):o.content=" "}else 3!==o.type||e.options.comments||(i=!0,s[n]=null)}if(e.inPre&&o&&e.options.isPreTag(o.tag)){const e=s[0];e&&2===e.type&&(e.content=e.content.replace(/^\r?\n/,""))}}return i?s.filter(Boolean):s}function ht(e,t){if(2===t.type){const n=Ct(e);if(n&&2===n.type&&n.loc.end.offset===t.loc.start.offset)return n.content+=t.content,n.loc.end=t.loc.end,void(n.loc.source+=t.loc.source)}e.push(t)}function mt(e,t){Mt(e,9);const n=dt(e,3,t);return 0===e.source.length||Mt(e,3),n}function gt(e){const t=kt(e);let n;const o=/--(\!)?>/.exec(e.source);if(o){n=e.source.slice(4,o.index);const t=e.source.slice(0,o.index);let r=1,s=0;for(;-1!==(s=t.indexOf("\x3c!--",r));)Mt(e,s-r+1),r=s+1;Mt(e,o.index+o[0].length-r+1)}else n=e.source.slice(4),Mt(e,e.source.length);return{type:3,content:n,loc:Ot(e,t)}}function yt(e){const t=kt(e),n="?"===e.source[1]?1:2;let o;const r=e.source.indexOf(">");return-1===r?(o=e.source.slice(n),Mt(e,e.source.length)):(o=e.source.slice(n,r),Mt(e,r+1)),{type:3,content:o,loc:Ot(e,t)}}function vt(e,t){const n=e.inPre,o=e.inVPre,r=Ct(t),s=bt(e,0,r),i=e.inPre&&!n,c=e.inVPre&&!o;if(s.isSelfClosing||e.options.isVoidTag(s.tag))return i&&(e.inPre=!1),c&&(e.inVPre=!1),s;t.push(s);const l=e.options.getTextMode(s,r),a=dt(e,l,t);t.pop();{const t=s.props.find((e=>6===e.type&&"inline-template"===e.name));if(t&&lt("COMPILER_INLINE_TEMPLATE",e)){const n=Ot(e,s.loc.end);t.value={type:2,content:n.source,loc:n}}}if(s.children=a,$t(e.source,s.tag))bt(e,1,r);else if(0===e.source.length&&"script"===s.tag.toLowerCase()){const e=a[0];e&&It(e.loc.source,"\x3c!--")}return s.loc=Ot(e,s.loc.start),i&&(e.inPre=!1),c&&(e.inVPre=!1),s}const St=t("if,else,else-if,for,slot");function bt(e,t,n){const o=kt(e),r=/^<\/?([a-z][^\t\r\n\f />]*)/i.exec(e.source),s=r[1],i=e.options.getNamespace(s,n);Mt(e,r[0].length),Rt(e);const c=kt(e),l=e.source;e.options.isPreTag(s)&&(e.inPre=!0);let a=Et(e,t);0===t&&!e.inVPre&&a.some((e=>7===e.type&&"pre"===e.name))&&(e.inVPre=!0,f(e,c),e.source=l,a=Et(e,t).filter((e=>"v-pre"!==e.name)));let p=!1;if(0===e.source.length||(p=It(e.source,"/>"),Mt(e,p?2:1)),1===t)return;let u=0;return e.inVPre||("slot"===s?u=2:"template"===s?a.some((e=>7===e.type&&St(e.name)))&&(u=3):function(e,t,n){const o=n.options;if(o.isCustomElement(e))return!1;if("component"===e||/^[A-Z]/.test(e)||Re(e)||o.isBuiltInComponent&&o.isBuiltInComponent(e)||o.isNativeTag&&!o.isNativeTag(e))return!0;for(let r=0;r<t.length;r++){const e=t[r];if(6===e.type){if("is"===e.name&&e.value){if(e.value.content.startsWith("vue:"))return!0;if(lt("COMPILER_IS_ON_ELEMENT",n))return!0}}else{if("is"===e.name)return!0;if("bind"===e.name&&Ue(e.arg,"is")&&lt("COMPILER_IS_ON_ELEMENT",n))return!0}}}(s,a,e)&&(u=1)),{type:1,ns:i,tag:s,tagType:u,props:a,isSelfClosing:p,children:[],loc:Ot(e,o),codegenNode:void 0}}function Et(e,t){const n=[],o=new Set;for(;e.source.length>0&&!It(e.source,">")&&!It(e.source,"/>");){if(It(e.source,"/")){Mt(e,1),Rt(e);continue}const r=Nt(e,o);6===r.type&&r.value&&"class"===r.name&&(r.value.content=r.value.content.replace(/\s+/g," ").trim()),0===t&&n.push(r),/^[^\t\r\n\f />]/.test(e.source),Rt(e)}return n}function Nt(e,t){const n=kt(e),o=/^[^\t\r\n\f />][^\t\r\n\f />=]*/.exec(e.source)[0];t.has(o),t.add(o);{const e=/["'<]/g;let t;for(;t=e.exec(o););}let r;Mt(e,o.length),/^[\t\r\n\f ]*=/.test(e.source)&&(Rt(e),Mt(e,1),Rt(e),r=function(e){const t=kt(e);let n;const o=e.source[0],r='"'===o||"'"===o;if(r){Mt(e,1);const t=e.source.indexOf(o);-1===t?n=xt(e,e.source.length,4):(n=xt(e,t,4),Mt(e,1))}else{const t=/^[^\t\r\n\f >]+/.exec(e.source);if(!t)return;const o=/["'<=`]/g;let r;for(;r=o.exec(t[0]););n=xt(e,t[0].length,4)}return{content:n,isQuoted:r,loc:Ot(e,t)}}(e));const s=Ot(e,n);if(!e.inVPre&&/^(v-[A-Za-z0-9-]|:|\.|@|#)/.test(o)){const t=/(?:^v-([a-z0-9-]+))?(?:(?::|^\.|^@|^#)(\[[^\]]+\]|[^\.]+))?(.+)?$/i.exec(o);let i,c=It(o,"."),l=t[1]||(c||It(o,":")?"bind":It(o,"@")?"on":"slot");if(t[2]){const r="slot"===l,s=o.lastIndexOf(t[2]),c=Ot(e,Pt(e,n,s),Pt(e,n,s+t[2].length+(r&&t[3]||"").length));let a=t[2],p=!0;a.startsWith("[")?(p=!1,a=a.endsWith("]")?a.slice(1,a.length-1):a.slice(1)):r&&(a+=t[3]||""),i={type:4,content:a,isStatic:p,constType:p?3:0,loc:c}}if(r&&r.isQuoted){const e=r.loc;e.start.offset++,e.start.column++,e.end=je(e.start,r.content),e.source=e.source.slice(1,-1)}const a=t[3]?t[3].slice(1).split("."):[];return c&&a.push("prop"),"bind"===l&&i&&a.includes("sync")&&lt("COMPILER_V_BIND_SYNC",e,0)&&(l="model",a.splice(a.indexOf("sync"),1)),{type:7,name:l,exp:r&&{type:4,content:r.content,isStatic:!1,constType:0,loc:r.loc},arg:i,modifiers:a,loc:s}}return!e.inVPre&&It(o,"v-"),{type:6,name:o,value:r&&{type:2,content:r.content,loc:r.loc},loc:s}}function _t(e,t){const[n,o]=e.options.delimiters,r=e.source.indexOf(o,n.length);if(-1===r)return;const s=kt(e);Mt(e,n.length);const i=kt(e),c=kt(e),l=r-n.length,a=e.source.slice(0,l),p=xt(e,l,t),u=p.trim(),f=p.indexOf(u);f>0&&He(i,a,f);return He(c,a,l-(p.length-u.length-f)),Mt(e,o.length),{type:5,content:{type:4,isStatic:!1,constType:0,content:u,loc:Ot(e,i,c)},loc:Ot(e,s)}}function Tt(e,t){const n=3===t?["]]>"]:["<",e.options.delimiters[0]];let o=e.source.length;for(let s=0;s<n.length;s++){const t=e.source.indexOf(n[s],1);-1!==t&&o>t&&(o=t)}const r=kt(e);return{type:2,content:xt(e,o,t),loc:Ot(e,r)}}function xt(e,t,n){const o=e.source.slice(0,t);return Mt(e,t),2!==n&&3!==n&&o.includes("&")?e.options.decodeEntities(o,4===n):o}function kt(e){const{column:t,line:n,offset:o}=e;return{column:t,line:n,offset:o}}function Ot(e,t,n){return{start:t,end:n=n||kt(e),source:e.originalSource.slice(t.offset,n.offset)}}function Ct(e){return e[e.length-1]}function It(e,t){return e.startsWith(t)}function Mt(e,t){const{source:n}=e;He(e,n,t),e.source=n.slice(t)}function Rt(e){const t=/^[\t\r\n\f ]+/.exec(e.source);t&&Mt(e,t[0].length)}function Pt(e,t,n){return je(t,e.originalSource.slice(t.offset,n),n)}function wt(e,t,n){const o=e.source;switch(t){case 0:if(It(o,"</"))for(let e=n.length-1;e>=0;--e)if($t(o,n[e].tag))return!0;break;case 1:case 2:{const e=Ct(n);if(e&&$t(o,e.tag))return!0;break}case 3:if(It(o,"]]>"))return!0}return!o}function $t(e,t){return It(e,"</")&&e.slice(2,2+t.length).toLowerCase()===t.toLowerCase()&&/[\t\r\n\f />]/.test(e[2+t.length]||">")}function Lt(e,t){At(e,t,Vt(e,e.children[0]))}function Vt(e,t){const{children:n}=e;return 1===n.length&&1===t.type&&!Ze(t)}function At(e,t,n=!1){const{children:o}=e,r=o.length;let s=0;for(let i=0;i<o.length;i++){const e=o[i];if(1===e.type&&0===e.tagType){const o=n?0:Dt(e,t);if(o>0){if(o>=2){e.codegenNode.patchFlag="-1",e.codegenNode=t.hoist(e.codegenNode),s++;continue}}else{const n=e.codegenNode;if(13===n.type){const o=Wt(n);if((!o||512===o||1===o)&&jt(e,t)>=2){const o=Ht(e);o&&(n.props=t.hoist(o))}n.dynamicProps&&(n.dynamicProps=t.hoist(n.dynamicProps))}}}if(1===e.type){const n=1===e.tagType;n&&t.scopes.vSlot++,At(e,t),n&&t.scopes.vSlot--}else if(11===e.type)At(e,t,1===e.children.length);else if(9===e.type)for(let n=0;n<e.branches.length;n++)At(e.branches[n],t,1===e.branches[n].children.length)}s&&t.transformHoist&&t.transformHoist(o,t,e),s&&s===r&&1===e.type&&0===e.tagType&&e.codegenNode&&13===e.codegenNode.type&&d(e.codegenNode.children)&&(e.codegenNode.children=t.hoist(Se(e.codegenNode.children)))}function Dt(e,t){const{constantCache:n}=t;switch(e.type){case 1:if(0!==e.tagType)return 0;const o=n.get(e);if(void 0!==o)return o;const r=e.codegenNode;if(13!==r.type)return 0;if(r.isBlock&&"svg"!==e.tag&&"foreignObject"!==e.tag)return 0;if(Wt(r))return n.set(e,0),0;{let o=3;const s=jt(e,t);if(0===s)return n.set(e,0),0;s<o&&(o=s);for(let r=0;r<e.children.length;r++){const s=Dt(e.children[r],t);if(0===s)return n.set(e,0),0;s<o&&(o=s)}if(o>1)for(let r=0;r<e.props.length;r++){const s=e.props[r];if(7===s.type&&"bind"===s.name&&s.exp){const r=Dt(s.exp,t);if(0===r)return n.set(e,0),0;r<o&&(o=r)}}if(r.isBlock){for(let t=0;t<e.props.length;t++){if(7===e.props[t].type)return n.set(e,0),0}t.removeHelper($),t.removeHelper(Xe(t.inSSR,r.isComponent)),r.isBlock=!1,t.helper(qe(t.inSSR,r.isComponent))}return n.set(e,o),o}case 2:case 3:return 3;case 9:case 11:case 10:default:return 0;case 5:case 12:return Dt(e.content,t);case 4:return e.constType;case 8:let s=3;for(let n=0;n<e.children.length;n++){const o=e.children[n];if(h(o)||m(o))continue;const r=Dt(o,t);if(0===r)return 0;r<s&&(s=r)}return s}}const Bt=new Set([X,Q,ee,te]);function Ft(e,t){if(14===e.type&&!h(e.callee)&&Bt.has(e.callee)){const n=e.arguments[0];if(4===n.type)return Dt(n,t);if(14===n.type)return Ft(n,t)}return 0}function jt(e,t){let n=3;const o=Ht(e);if(o&&15===o.type){const{properties:e}=o;for(let o=0;o<e.length;o++){const{key:r,value:s}=e[o],i=Dt(r,t);if(0===i)return i;let c;if(i<n&&(n=i),c=4===s.type?Dt(s,t):14===s.type?Ft(s,t):0,0===c)return c;c<n&&(n=c)}}return n}function Ht(e){const t=e.codegenNode;if(13===t.type)return t.props}function Wt(e){const t=e.patchFlag;return t?parseInt(t,10):void 0}function Kt(e,{filename:t="",prefixIdentifiers:n=!1,hoistStatic:o=!1,cacheHandlers:r=!1,nodeTransforms:s=[],directiveTransforms:i={},transformHoist:a=null,isBuiltInComponent:p=l,isCustomElement:u=l,expressionPlugins:f=[],scopeId:d=null,slotted:m=!0,ssr:g=!1,inSSR:y=!1,ssrCssVars:v="",bindingMetadata:S=c,inline:b=!1,isTS:N=!1,onError:_=k,onWarn:x=O,compatConfig:C}){const I=t.replace(/\?.*$/,"").match(/([^/\\]+)\.\w+$/),M={selfName:I&&T(E(I[1])),prefixIdentifiers:n,hoistStatic:o,cacheHandlers:r,nodeTransforms:s,directiveTransforms:i,transformHoist:a,isBuiltInComponent:p,isCustomElement:u,expressionPlugins:f,scopeId:d,slotted:m,ssr:g,inSSR:y,ssrCssVars:v,bindingMetadata:S,inline:b,isTS:N,onError:_,onWarn:x,compatConfig:C,root:e,helpers:new Map,components:new Set,directives:new Set,hoists:[],imports:[],constantCache:new Map,temps:0,cached:0,identifiers:Object.create(null),scopes:{vFor:0,vSlot:0,vPre:0,vOnce:0},parent:null,currentNode:e,childIndex:0,inVOnce:!1,helper(e){const t=M.helpers.get(e)||0;return M.helpers.set(e,t+1),e},removeHelper(e){const t=M.helpers.get(e);if(t){const n=t-1;n?M.helpers.set(e,n):M.helpers.delete(e)}},helperString:e=>`_${he[M.helper(e)]}`,replaceNode(e){M.parent.children[M.childIndex]=M.currentNode=e},removeNode(e){const t=e?M.parent.children.indexOf(e):M.currentNode?M.childIndex:-1;e&&e!==M.currentNode?M.childIndex>t&&(M.childIndex--,M.onNodeRemoved()):(M.currentNode=null,M.onNodeRemoved()),M.parent.children.splice(t,1)},onNodeRemoved:()=>{},addIdentifiers(e){},removeIdentifiers(e){},hoist(e){h(e)&&(e=Ne(e)),M.hoists.push(e);const t=Ne(`_hoisted_${M.hoists.length}`,!1,e.loc,2);return t.hoisted=e,t},cache:(e,t=!1)=>Oe(M.cached++,e,t)};return M.filters=new Set,M}function Ut(e,t){const n=Kt(e,t);Jt(e,n),t.hoistStatic&&Lt(e,n),t.ssr||function(e,t){const{helper:n}=t,{children:o}=e;if(1===o.length){const n=o[0];if(Vt(e,n)&&n.codegenNode){const o=n.codegenNode;13===o.type&&rt(o,t),e.codegenNode=o}else e.codegenNode=n}else if(o.length>1){let o=64;e.codegenNode=ve(t,n(I),void 0,e.children,o+"",void 0,void 0,!0,void 0,!1)}}(e,n),e.helpers=[...n.helpers.keys()],e.components=[...n.components],e.directives=[...n.directives],e.imports=n.imports,e.hoists=n.hoists,e.temps=n.temps,e.cached=n.cached,e.filters=[...n.filters]}function Jt(e,t){t.currentNode=e;const{nodeTransforms:n}=t,o=[];for(let s=0;s<n.length;s++){const r=n[s](e,t);if(r&&(d(r)?o.push(...r):o.push(r)),!t.currentNode)return;e=t.currentNode}switch(e.type){case 3:t.ssr||t.helper(B);break;case 5:t.ssr||t.helper(Z);break;case 9:for(let n=0;n<e.branches.length;n++)Jt(e.branches[n],t);break;case 10:case 11:case 1:case 0:!function(e,t){let n=0;const o=()=>{n--};for(;n<e.children.length;n++){const r=e.children[n];h(r)||(t.parent=e,t.childIndex=n,t.onNodeRemoved=o,Jt(r,t))}}(e,t)}t.currentNode=e;let r=o.length;for(;r--;)o[r]()}function Gt(e,t){const n=h(e)?t=>t===e:t=>e.test(t);return(e,o)=>{if(1===e.type){const{props:r}=e;if(3===e.tagType&&r.some(ze))return;const s=[];for(let i=0;i<r.length;i++){const c=r[i];if(7===c.type&&n(c.name)){r.splice(i,1),i--;const n=t(e,c,o);n&&s.push(n)}}return s}}}const zt="/*#__PURE__*/",Yt=e=>`${he[e]}: _${he[e]}`;function Zt(e,t={}){const n=function(e,{mode:t="function",prefixIdentifiers:n="module"===t,sourceMap:o=!1,filename:r="template.vue.html",scopeId:s=null,optimizeImports:i=!1,runtimeGlobalName:c="Vue",runtimeModuleName:l="vue",ssrRuntimeModuleName:a="vue/server-renderer",ssr:p=!1,isTS:u=!1,inSSR:f=!1}){const d={mode:t,prefixIdentifiers:n,sourceMap:o,filename:r,scopeId:s,optimizeImports:i,runtimeGlobalName:c,runtimeModuleName:l,ssrRuntimeModuleName:a,ssr:p,isTS:u,inSSR:f,source:e.loc.source,code:"",column:1,line:1,offset:0,indentLevel:0,pure:!1,map:void 0,helper:e=>`_${he[e]}`,push(e,t){d.code+=e},indent(){h(++d.indentLevel)},deindent(e=!1){e?--d.indentLevel:h(--d.indentLevel)},newline(){h(d.indentLevel)}};function h(e){d.push("\n"+" ".repeat(e))}return d}(e,t);t.onContextCreated&&t.onContextCreated(n);const{mode:o,push:r,prefixIdentifiers:s,indent:i,deindent:c,newline:l,ssr:a}=n,p=e.helpers.length>0,u=!s&&"module"!==o;!function(e,t){const{push:n,newline:o,runtimeGlobalName:r}=t,s=r;if(e.helpers.length>0&&(n(`const _Vue = ${s}\n`),e.hoists.length)){n(`const { ${[A,D,B,F,j].filter((t=>e.helpers.includes(t))).map(Yt).join(", ")} } = _Vue\n`)}(function(e,t){if(!e.length)return;t.pure=!0;const{push:n,newline:o}=t;o();for(let r=0;r<e.length;r++){const s=e[r];s&&(n(`const _hoisted_${r+1} = `),en(s,t),o())}t.pure=!1})(e.hoists,t),o(),n("return ")}(e,n);if(r(`function ${a?"ssrRender":"render"}(${(a?["_ctx","_push","_parent","_attrs"]:["_ctx","_cache"]).join(", ")}) {`),i(),u&&(r("with (_ctx) {"),i(),p&&(r(`const { ${e.helpers.map(Yt).join(", ")} } = _Vue`),r("\n"),l())),e.components.length&&(qt(e.components,"component",n),(e.directives.length||e.temps>0)&&l()),e.directives.length&&(qt(e.directives,"directive",n),e.temps>0&&l()),e.filters&&e.filters.length&&(l(),qt(e.filters,"filter",n),l()),e.temps>0){r("let ");for(let t=0;t<e.temps;t++)r(`${t>0?", ":""}_temp${t}`)}return(e.components.length||e.directives.length||e.temps)&&(r("\n"),l()),a||r("return "),e.codegenNode?en(e.codegenNode,n):r("null"),u&&(c(),r("}")),c(),r("}"),{ast:e,code:n.code,preamble:"",map:n.map?n.map.toJSON():void 0}}function qt(e,t,{helper:n,push:o,newline:r,isTS:s}){const i=n("filter"===t?U:"component"===t?H:K);for(let c=0;c<e.length;c++){let n=e[c];const l=n.endsWith("__self");l&&(n=n.slice(0,-6)),o(`const ${nt(n,t)} = ${i}(${JSON.stringify(n)}${l?", true":""})${s?"!":""}`),c<e.length-1&&r()}}function Xt(e,t){const n=e.length>3||!1;t.push("["),n&&t.indent(),Qt(e,t,n),n&&t.deindent(),t.push("]")}function Qt(e,t,n=!1,o=!0){const{push:r,newline:s}=t;for(let i=0;i<e.length;i++){const c=e[i];h(c)?r(c):d(c)?Xt(c,t):en(c,t),i<e.length-1&&(n?(o&&r(","),s()):o&&r(", "))}}function en(e,t){if(h(e))t.push(e);else if(m(e))t.push(t.helper(e));else switch(e.type){case 1:case 9:case 11:case 12:en(e.codegenNode,t);break;case 2:!function(e,t){t.push(JSON.stringify(e.content),e)}(e,t);break;case 4:tn(e,t);break;case 5:!function(e,t){const{push:n,helper:o,pure:r}=t;r&&n(zt);n(`${o(Z)}(`),en(e.content,t),n(")")}(e,t);break;case 8:nn(e,t);break;case 3:!function(e,t){const{push:n,helper:o,pure:r}=t;r&&n(zt);n(`${o(B)}(${JSON.stringify(e.content)})`,e)}(e,t);break;case 13:!function(e,t){const{push:n,helper:o,pure:r}=t,{tag:s,props:i,children:c,patchFlag:l,dynamicProps:a,directives:p,isBlock:u,disableTracking:f,isComponent:d}=e;p&&n(o(J)+"(");u&&n(`(${o($)}(${f?"true":""}), `);r&&n(zt);const h=u?Xe(t.inSSR,d):qe(t.inSSR,d);n(o(h)+"(",e),Qt(function(e){let t=e.length;for(;t--&&null==e[t];);return e.slice(0,t+1).map((e=>e||"null"))}([s,i,c,l,a]),t),n(")"),u&&n(")");p&&(n(", "),en(p,t),n(")"))}(e,t);break;case 14:!function(e,t){const{push:n,helper:o,pure:r}=t,s=h(e.callee)?e.callee:o(e.callee);r&&n(zt);n(s+"(",e),Qt(e.arguments,t),n(")")}(e,t);break;case 15:!function(e,t){const{push:n,indent:o,deindent:r,newline:s}=t,{properties:i}=e;if(!i.length)return void n("{}",e);const c=i.length>1||!1;n(c?"{":"{ "),c&&o();for(let l=0;l<i.length;l++){const{key:e,value:o}=i[l];on(e,t),n(": "),en(o,t),l<i.length-1&&(n(","),s())}c&&r(),n(c?"}":" }")}(e,t);break;case 17:!function(e,t){Xt(e.elements,t)}(e,t);break;case 18:!function(e,t){const{push:n,indent:o,deindent:r}=t,{params:s,returns:i,body:c,newline:l,isSlot:a}=e;a&&n(`_${he[ae]}(`);n("(",e),d(s)?Qt(s,t):s&&en(s,t);n(") => "),(l||c)&&(n("{"),o());i?(l&&n("return "),d(i)?Xt(i,t):en(i,t)):c&&en(c,t);(l||c)&&(r(),n("}"));a&&(e.isNonScopedSlot&&n(", undefined, true"),n(")"))}(e,t);break;case 19:!function(e,t){const{test:n,consequent:o,alternate:r,newline:s}=e,{push:i,indent:c,deindent:l,newline:a}=t;if(4===n.type){const e=!we(n.content);e&&i("("),tn(n,t),e&&i(")")}else i("("),en(n,t),i(")");s&&c(),t.indentLevel++,s||i(" "),i("? "),en(o,t),t.indentLevel--,s&&a(),s||i(" "),i(": ");const p=19===r.type;p||t.indentLevel++;en(r,t),p||t.indentLevel--;s&&l(!0)}(e,t);break;case 20:!function(e,t){const{push:n,helper:o,indent:r,deindent:s,newline:i}=t;n(`_cache[${e.index}] || (`),e.isVNode&&(r(),n(`${o(ie)}(-1),`),i());n(`_cache[${e.index}] = `),en(e.value,t),e.isVNode&&(n(","),i(),n(`${o(ie)}(1),`),i(),n(`_cache[${e.index}]`),s());n(")")}(e,t);break;case 21:Qt(e.body,t,!0,!1)}}function tn(e,t){const{content:n,isStatic:o}=e;t.push(o?JSON.stringify(n):n,e)}function nn(e,t){for(let n=0;n<e.children.length;n++){const o=e.children[n];h(o)?t.push(o):en(o,t)}}function on(e,t){const{push:n}=t;if(8===e.type)n("["),nn(e,t),n("]");else if(e.isStatic){n(we(e.content)?e.content:JSON.stringify(e.content),e)}else n(`[${e.content}]`,e)}function rn(e,t=[]){switch(e.type){case"Identifier":t.push(e);break;case"MemberExpression":let n=e;for(;"MemberExpression"===n.type;)n=n.object;t.push(n);break;case"ObjectPattern":for(const o of e.properties)rn("RestElement"===o.type?o.argument:o.value,t);break;case"ArrayPattern":e.elements.forEach((e=>{e&&rn(e,t)}));break;case"RestElement":rn(e.argument,t);break;case"AssignmentPattern":rn(e.left,t)}return t}const sn=e=>e&&("ObjectProperty"===e.type||"ObjectMethod"===e.type)&&!e.computed;function cn(e,t,n=!1,o=!1,r=Object.create(t.identifiers)){return e}const ln=Gt(/^(if|else|else-if)$/,((e,t,n)=>an(e,t,n,((e,t,o)=>{const r=n.parent.children;let s=r.indexOf(e),i=0;for(;s-- >=0;){const e=r[s];e&&9===e.type&&(i+=e.branches.length)}return()=>{if(o)e.codegenNode=un(t,i,n);else{const o=function(e){for(;;)if(19===e.type){if(19!==e.alternate.type)return e;e=e.alternate}else 20===e.type&&(e=e.value)}(e.codegenNode);o.alternate=un(t,i+e.branches.length-1,n)}}}))));function an(e,t,n,o){if(!("else"===t.name||t.exp&&t.exp.content.trim())){t.exp=Ne("true",!1,t.exp?t.exp.loc:e.loc)}if("if"===t.name){const r=pn(e,t),s={type:9,loc:e.loc,branches:[r]};if(n.replaceNode(s),o)return o(s,r,!0)}else{const r=n.parent.children;let s=r.indexOf(e);for(;s-- >=-1;){const i=r[s];if(!i||2!==i.type||i.content.trim().length){if(i&&9===i.type){n.removeNode();const r=pn(e,t);i.branches.push(r);const s=o&&o(i,r,!1);Jt(r,n),s&&s(),n.currentNode=null}break}n.removeNode(i)}}}function pn(e,t){const n=3===e.tagType;return{type:10,loc:e.loc,condition:"else"===t.name?void 0:t.exp,children:n&&!We(e,"for")?e.children:[e],userKey:Ke(e,"key"),isTemplateIf:n}}function un(e,t,n){return e.condition?ke(e.condition,fn(e,t,n),Te(n.helper(B),['""',"true"])):fn(e,t,n)}function fn(e,t,n){const{helper:o}=n,r=Ee("key",Ne(`${t}`,!1,ge,2)),{children:s}=e,i=s[0];if(1!==s.length||1!==i.type){if(1===s.length&&11===i.type){const e=i.codegenNode;return tt(e,r,n),e}{let t=64;return ve(n,o(I),be([r]),s,t+"",void 0,void 0,!0,!1,!1,e.loc)}}{const e=i.codegenNode,t=ot(e);return 13===t.type&&rt(t,n),tt(t,r,n),e}}const dn=Gt("for",((e,t,n)=>{const{helper:o,removeHelper:r}=n;return hn(e,t,n,(t=>{const s=Te(o(G),[t.source]),i=Ye(e),c=We(e,"memo"),l=Ke(e,"key"),a=l&&(6===l.type?Ne(l.value.content,!0):l.exp),p=l?Ee("key",a):null,u=4===t.source.type&&t.source.constType>0,f=u?64:l?128:256;return t.codegenNode=ve(n,o(I),void 0,s,f+"",void 0,void 0,!0,!u,!1,e.loc),()=>{let l;const{children:f}=t,d=1!==f.length||1!==f[0].type,h=Ze(e)?e:i&&1===e.children.length&&Ze(e.children[0])?e.children[0]:null;if(h?(l=h.codegenNode,i&&p&&tt(l,p,n)):d?l=ve(n,o(I),p?be([p]):void 0,e.children,"64",void 0,void 0,!0,void 0,!1):(l=f[0].codegenNode,i&&p&&tt(l,p,n),l.isBlock!==!u&&(l.isBlock?(r($),r(Xe(n.inSSR,l.isComponent))):r(qe(n.inSSR,l.isComponent))),l.isBlock=!u,l.isBlock?(o($),o(Xe(n.inSSR,l.isComponent))):o(qe(n.inSSR,l.isComponent))),c){const e=xe(bn(t.parseResult,[Ne("_cached")]));e.body=Ce([_e(["const _memo = (",c.exp,")"]),_e(["if (_cached",...a?[" && _cached.key === ",a]:[],` && ${n.helperString(de)}(_cached, _memo)) return _cached`]),_e(["const _item = ",l]),Ne("_item.memo = _memo"),Ne("return _item")]),s.arguments.push(e,Ne("_cache"),Ne(String(n.cached++)))}else s.arguments.push(xe(bn(t.parseResult),l,!0))}}))}));function hn(e,t,n,o){if(!t.exp)return;const r=vn(t.exp);if(!r)return;const{scopes:s}=n,{source:i,value:c,key:l,index:a}=r,p={type:11,loc:t.loc,source:i,valueAlias:c,keyAlias:l,objectIndexAlias:a,parseResult:r,children:Ye(e)?e.children:[e]};n.replaceNode(p),s.vFor++;const u=o&&o(p);return()=>{s.vFor--,u&&u()}}const mn=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,gn=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,yn=/^\(|\)$/g;function vn(e,t){const n=e.loc,o=e.content,r=o.match(mn);if(!r)return;const[,s,i]=r,c={source:Sn(n,i.trim(),o.indexOf(i,s.length)),value:void 0,key:void 0,index:void 0};let l=s.trim().replace(yn,"").trim();const a=s.indexOf(l),p=l.match(gn);if(p){l=l.replace(gn,"").trim();const e=p[1].trim();let t;if(e&&(t=o.indexOf(e,a+l.length),c.key=Sn(n,e,t)),p[2]){const r=p[2].trim();r&&(c.index=Sn(n,r,o.indexOf(r,c.key?t+e.length:a+l.length)))}}return l&&(c.value=Sn(n,l,a)),c}function Sn(e,t,n){return Ne(t,!1,Fe(e,n,t.length))}function bn({value:e,key:t,index:n},o=[]){return function(e){let t=e.length;for(;t--&&!e[t];);return e.slice(0,t+1).map(((e,t)=>e||Ne("_".repeat(t+1),!1)))}([e,t,n,...o])}const En=Ne("undefined",!1),Nn=(e,t)=>{if(1===e.type&&(1===e.tagType||3===e.tagType)){const n=We(e,"slot");if(n)return t.scopes.vSlot++,()=>{t.scopes.vSlot--}}},_n=(e,t,n)=>xe(e,t,!1,!0,t.length?t[0].loc:n);function Tn(e,t,n=_n){t.helper(ae);const{children:o,loc:r}=e,s=[],i=[];let c=t.scopes.vSlot>0||t.scopes.vFor>0;const l=We(e,"slot",!0);if(l){const{arg:e,exp:t}=l;e&&!Ie(e)&&(c=!0),s.push(Ee(e||Ne("default",!0),n(t,o,r)))}let a=!1,p=!1;const u=[],f=new Set;let d=0;for(let g=0;g<o.length;g++){const e=o[g];let r;if(!Ye(e)||!(r=We(e,"slot",!0))){3!==e.type&&u.push(e);continue}if(l)break;a=!0;const{children:h,loc:m}=e,{arg:y=Ne("default",!0),exp:v}=r;let S;Ie(y)?S=y?y.content:"default":c=!0;const b=n(v,h,m);let E,N,_;if(E=We(e,"if"))c=!0,i.push(ke(E.exp,xn(y,b,d++),En));else if(N=We(e,/^else(-if)?$/,!0)){let e,t=g;for(;t--&&(e=o[t],3===e.type););if(e&&Ye(e)&&We(e,"if")){o.splice(g,1),g--;let e=i[i.length-1];for(;19===e.alternate.type;)e=e.alternate;e.alternate=N.exp?ke(N.exp,xn(y,b,d++),En):xn(y,b,d++)}}else if(_=We(e,"for")){c=!0;const e=_.parseResult||vn(_.exp);e&&i.push(Te(t.helper(G),[e.source,xe(bn(e),xn(y,b),!0)]))}else{if(S){if(f.has(S))continue;f.add(S),"default"===S&&(p=!0)}s.push(Ee(y,b))}}if(!l){const e=(e,o)=>{const s=n(e,o,r);return t.compatConfig&&(s.isNonScopedSlot=!0),Ee("default",s)};a?u.length&&u.some((e=>On(e)))&&(p||s.push(e(void 0,u))):s.push(e(void 0,o))}const h=c?2:kn(e.children)?3:1;let m=be(s.concat(Ee("_",Ne(h+"",!1))),r);return i.length&&(m=Te(t.helper(Y),[m,Se(i)])),{slots:m,hasDynamicSlots:c}}function xn(e,t,n){const o=[Ee("name",e),Ee("fn",t)];return null!=n&&o.push(Ee("key",Ne(String(n),!0))),be(o)}function kn(e){for(let t=0;t<e.length;t++){const n=e[t];switch(n.type){case 1:if(2===n.tagType||kn(n.children))return!0;break;case 9:if(kn(n.branches))return!0;break;case 10:case 11:if(kn(n.children))return!0}}return!1}function On(e){return 2!==e.type&&12!==e.type||(2===e.type?!!e.content.trim():On(e.content))}const Cn=new WeakMap,In=(e,t)=>function(){if(1!==(e=t.currentNode).type||0!==e.tagType&&1!==e.tagType)return;const{tag:n,props:o}=e,r=1===e.tagType;let s=r?Mn(e,t):`"${n}"`;const i=g(s)&&s.callee===W;let c,l,a,p,u,f,d=0,h=i||s===M||s===R||!r&&("svg"===n||"foreignObject"===n);if(o.length>0){const n=Rn(e,t,void 0,r,i);c=n.props,d=n.patchFlag,u=n.dynamicPropNames;const o=n.directives;f=o&&o.length?Se(o.map((e=>$n(e,t)))):void 0,n.shouldUseBlock&&(h=!0)}if(e.children.length>0){s===P&&(h=!0,d|=1024);if(r&&s!==M&&s!==P){const{slots:n,hasDynamicSlots:o}=Tn(e,t);l=n,o&&(d|=1024)}else if(1===e.children.length&&s!==M){const n=e.children[0],o=n.type,r=5===o||8===o;r&&0===Dt(n,t)&&(d|=1),l=r||2===o?n:e.children}else l=e.children}0!==d&&(a=String(d),u&&u.length&&(p=function(e){let t="[";for(let n=0,o=e.length;n<o;n++)t+=JSON.stringify(e[n]),n<o-1&&(t+=", ");return t+"]"}(u))),e.codegenNode=ve(t,s,c,l,a,p,f,!!h,!1,r,e.loc)};function Mn(e,t,n=!1){let{tag:o}=e;const r=Ln(o),s=Ke(e,"is");if(s)if(r||ct("COMPILER_IS_ON_ELEMENT",t)){const e=6===s.type?s.value&&Ne(s.value.content,!0):s.exp;if(e)return Te(t.helper(W),[e])}else 6===s.type&&s.value.content.startsWith("vue:")&&(o=s.value.content.slice(4));const i=!r&&We(e,"is");if(i&&i.exp)return Te(t.helper(W),[i.exp]);const c=Re(o)||t.isBuiltInComponent(o);return c?(n||t.helper(c),c):(t.helper(H),t.components.add(o),nt(o,"component"))}function Rn(e,t,n=e.props,o,r,s=!1){const{tag:i,loc:c,children:l}=e;let a=[];const p=[],f=[],d=l.length>0;let h=!1,g=0,S=!1,b=!1,E=!1,N=!1,_=!1,T=!1;const x=[],k=e=>{a.length&&(p.push(be(Pn(a),c)),a=[]),e&&p.push(e)},O=({key:e,value:n})=>{if(Ie(e)){const s=e.content,i=u(s);if(!i||o&&!r||"onclick"===s.toLowerCase()||"onUpdate:modelValue"===s||y(s)||(N=!0),i&&y(s)&&(T=!0),20===n.type||(4===n.type||8===n.type)&&Dt(n,t)>0)return;"ref"===s?S=!0:"class"===s?b=!0:"style"===s?E=!0:"key"===s||x.includes(s)||x.push(s),!o||"class"!==s&&"style"!==s||x.includes(s)||x.push(s)}else _=!0};for(let u=0;u<n.length;u++){const r=n[u];if(6===r.type){const{loc:e,name:n,value:o}=r;let s=!0;if("ref"===n&&(S=!0,t.scopes.vFor>0&&a.push(Ee(Ne("ref_for",!0),Ne("true")))),"is"===n&&(Ln(i)||o&&o.content.startsWith("vue:")||ct("COMPILER_IS_ON_ELEMENT",t)))continue;a.push(Ee(Ne(n,!0,Fe(e,0,n.length)),Ne(o?o.content:"",s,o?o.loc:e)))}else{const{name:n,arg:l,exp:u,loc:g}=r,y="bind"===n,S="on"===n;if("slot"===n)continue;if("once"===n||"memo"===n)continue;if("is"===n||y&&Ue(l,"is")&&(Ln(i)||ct("COMPILER_IS_ON_ELEMENT",t)))continue;if(S&&s)continue;if((y&&Ue(l,"key")||S&&d&&Ue(l,"vue:before-update"))&&(h=!0),y&&Ue(l,"ref")&&t.scopes.vFor>0&&a.push(Ee(Ne("ref_for",!0),Ne("true"))),!l&&(y||S)){if(_=!0,u)if(y){if(k(),ct("COMPILER_V_BIND_OBJECT_ORDER",t)){p.unshift(u);continue}p.push(u)}else k({type:14,loc:g,callee:t.helper(ne),arguments:o?[u]:[u,"true"]});continue}const b=t.directiveTransforms[n];if(b){const{props:n,needRuntime:o}=b(r,e,t);!s&&n.forEach(O),S&&l&&!Ie(l)?k(be(n,c)):a.push(...n),o&&(f.push(r),m(o)&&Cn.set(r,o))}else v(n)||(f.push(r),d&&(h=!0))}}let C;if(p.length?(k(),C=p.length>1?Te(t.helper(q),p,c):p[0]):a.length&&(C=be(Pn(a),c)),_?g|=16:(b&&!o&&(g|=2),E&&!o&&(g|=4),x.length&&(g|=8),N&&(g|=32)),h||0!==g&&32!==g||!(S||T||f.length>0)||(g|=512),!t.inSSR&&C)switch(C.type){case 15:let e=-1,n=-1,o=!1;for(let t=0;t<C.properties.length;t++){const r=C.properties[t].key;Ie(r)?"class"===r.content?e=t:"style"===r.content&&(n=t):r.isHandlerKey||(o=!0)}const r=C.properties[e],s=C.properties[n];o?C=Te(t.helper(ee),[C]):(r&&!Ie(r.value)&&(r.value=Te(t.helper(X),[r.value])),s&&(E||4===s.value.type&&"["===s.value.content.trim()[0]||17===s.value.type)&&(s.value=Te(t.helper(Q),[s.value])));break;case 14:break;default:C=Te(t.helper(ee),[Te(t.helper(te),[C])])}return{props:C,directives:f,patchFlag:g,dynamicPropNames:x,shouldUseBlock:h}}function Pn(e){const t=new Map,n=[];for(let o=0;o<e.length;o++){const r=e[o];if(8===r.key.type||!r.key.isStatic){n.push(r);continue}const s=r.key.content,i=t.get(s);i?("style"===s||"class"===s||u(s))&&wn(i,r):(t.set(s,r),n.push(r))}return n}function wn(e,t){17===e.value.type?e.value.elements.push(t.value):e.value=Se([e.value,t.value],e.loc)}function $n(e,t){const n=[],o=Cn.get(e);o?n.push(t.helperString(o)):(t.helper(K),t.directives.add(e.name),n.push(nt(e.name,"directive")));const{loc:r}=e;if(e.exp&&n.push(e.exp),e.arg&&(e.exp||n.push("void 0"),n.push(e.arg)),Object.keys(e.modifiers).length){e.arg||(e.exp||n.push("void 0"),n.push("void 0"));const t=Ne("true",!1,r);n.push(be(e.modifiers.map((e=>Ee(e,t))),r))}return Se(n,e.loc)}function Ln(e){return"component"===e||"Component"===e}const Vn=(e,t)=>{if(Ze(e)){const{children:n,loc:o}=e,{slotName:r,slotProps:s}=An(e,t),i=[t.prefixIdentifiers?"_ctx.$slots":"$slots",r,"{}","undefined","true"];let c=2;s&&(i[2]=s,c=3),n.length&&(i[3]=xe([],n,!1,!1,o),c=4),t.scopeId&&!t.slotted&&(c=5),i.splice(c),e.codegenNode=Te(t.helper(z),i,o)}};function An(e,t){let n,o='"default"';const r=[];for(let s=0;s<e.props.length;s++){const t=e.props[s];6===t.type?t.value&&("name"===t.name?o=JSON.stringify(t.value.content):(t.name=E(t.name),r.push(t))):"bind"===t.name&&Ue(t.arg,"name")?t.exp&&(o=t.exp):("bind"===t.name&&t.arg&&Ie(t.arg)&&(t.arg.content=E(t.arg.content)),r.push(t))}if(r.length>0){const{props:o,directives:s}=Rn(e,t,r,!1,!1);n=o}return{slotName:o,slotProps:n}}const Dn=/^\s*([\w$_]+|(async\s*)?\([^)]*?\))\s*=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/,Bn=(e,t,n,o)=>{const{loc:r,modifiers:s,arg:i}=e;let c;if(4===i.type)if(i.isStatic){let e=i.content;e.startsWith("vue:")&&(e=`vnode-${e.slice(4)}`);c=Ne(1===t.tagType||e.startsWith("vnode")||!/[A-Z]/.test(e)?x(E(e)):`on:${e}`,!0,i.loc)}else c=_e([`${n.helperString(se)}(`,i,")"]);else c=i,c.children.unshift(`${n.helperString(se)}(`),c.children.push(")");let l=e.exp;l&&!l.content.trim()&&(l=void 0);let a=n.cacheHandlers&&!l&&!n.inVOnce;if(l){const e=Be(l.content),t=!(e||Dn.test(l.content)),n=l.content.includes(";");(t||a&&e)&&(l=_e([`${t?"$event":"(...args)"} => ${n?"{":"("}`,l,n?"}":")"]))}let p={props:[Ee(c,l||Ne("() => {}",!1,r))]};return o&&(p=o(p)),a&&(p.props[0].value=n.cache(p.props[0].value)),p.props.forEach((e=>e.key.isHandlerKey=!0)),p},Fn=(e,t,n)=>{const{exp:o,modifiers:r,loc:s}=e,i=e.arg;return 4!==i.type?(i.children.unshift("("),i.children.push(') || ""')):i.isStatic||(i.content=`${i.content} || ""`),r.includes("camel")&&(4===i.type?i.content=i.isStatic?E(i.content):`${n.helperString(oe)}(${i.content})`:(i.children.unshift(`${n.helperString(oe)}(`),i.children.push(")"))),n.inSSR||(r.includes("prop")&&jn(i,"."),r.includes("attr")&&jn(i,"^")),!o||4===o.type&&!o.content.trim()?{props:[Ee(i,Ne("",!0,s))]}:{props:[Ee(i,o)]}},jn=(e,t)=>{4===e.type?e.content=e.isStatic?t+e.content:`\`${t}\${${e.content}}\``:(e.children.unshift(`'${t}' + (`),e.children.push(")"))},Hn=(e,t)=>{if(0===e.type||1===e.type||11===e.type||10===e.type)return()=>{const n=e.children;let o,r=!1;for(let e=0;e<n.length;e++){const t=n[e];if(Ge(t)){r=!0;for(let r=e+1;r<n.length;r++){const s=n[r];if(!Ge(s)){o=void 0;break}o||(o=n[e]=_e([t],t.loc)),o.children.push(" + ",s),n.splice(r,1),r--}}}if(r&&(1!==n.length||0!==e.type&&(1!==e.type||0!==e.tagType||e.props.find((e=>7===e.type&&!t.directiveTransforms[e.name]))||"template"===e.tag)))for(let e=0;e<n.length;e++){const o=n[e];if(Ge(o)||8===o.type){const r=[];2===o.type&&" "===o.content||r.push(o),t.ssr||0!==Dt(o,t)||r.push("1"),n[e]={type:12,content:o,loc:o.loc,codegenNode:Te(t.helper(F),r)}}}}},Wn=new WeakSet,Kn=(e,t)=>{if(1===e.type&&We(e,"once",!0)){if(Wn.has(e)||t.inVOnce)return;return Wn.add(e),t.inVOnce=!0,t.helper(ie),()=>{t.inVOnce=!1;const e=t.currentNode;e.codegenNode&&(e.codegenNode=t.cache(e.codegenNode,!0))}}},Un=(e,t,n)=>{const{exp:o,arg:r}=e;if(!o)return Jn();const s=o.loc.source,i=4===o.type?o.content:s;if(!i.trim()||!Be(i))return Jn();const c=r||Ne("modelValue",!0),l=r?Ie(r)?`onUpdate:${r.content}`:_e(['"onUpdate:" + ',r]):"onUpdate:modelValue";let a;a=_e([`${n.isTS?"($event: any)":"$event"} => ((`,o,") = $event)"]);const p=[Ee(c,e.exp),Ee(l,a)];if(e.modifiers.length&&1===t.tagType){const t=e.modifiers.map((e=>(we(e)?e:JSON.stringify(e))+": true")).join(", "),n=r?Ie(r)?`${r.content}Modifiers`:_e([r,' + "Modifiers"']):"modelModifiers";p.push(Ee(n,Ne(`{ ${t} }`,!1,e.loc,2)))}return Jn(p)};function Jn(e=[]){return{props:e}}const Gn=/[\w).+\-_$\]]/,zn=(e,t)=>{ct("COMPILER_FILTER",t)&&(5===e.type&&Yn(e.content,t),1===e.type&&e.props.forEach((e=>{7===e.type&&"for"!==e.name&&e.exp&&Yn(e.exp,t)})))};function Yn(e,t){if(4===e.type)Zn(e,t);else for(let n=0;n<e.children.length;n++){const o=e.children[n];"object"==typeof o&&(4===o.type?Zn(o,t):8===o.type?Yn(e,t):5===o.type&&Yn(o.content,t))}}function Zn(e,t){const n=e.content;let o,r,s,i,c=!1,l=!1,a=!1,p=!1,u=0,f=0,d=0,h=0,m=[];for(s=0;s<n.length;s++)if(r=o,o=n.charCodeAt(s),c)39===o&&92!==r&&(c=!1);else if(l)34===o&&92!==r&&(l=!1);else if(a)96===o&&92!==r&&(a=!1);else if(p)47===o&&92!==r&&(p=!1);else if(124!==o||124===n.charCodeAt(s+1)||124===n.charCodeAt(s-1)||u||f||d){switch(o){case 34:l=!0;break;case 39:c=!0;break;case 96:a=!0;break;case 40:d++;break;case 41:d--;break;case 91:f++;break;case 93:f--;break;case 123:u++;break;case 125:u--}if(47===o){let e,t=s-1;for(;t>=0&&(e=n.charAt(t)," "===e);t--);e&&Gn.test(e)||(p=!0)}}else void 0===i?(h=s+1,i=n.slice(0,s).trim()):g();function g(){m.push(n.slice(h,s).trim()),h=s+1}if(void 0===i?i=n.slice(0,s).trim():0!==h&&g(),m.length){for(s=0;s<m.length;s++)i=qn(i,m[s],t);e.content=i}}function qn(e,t,n){n.helper(U);const o=t.indexOf("(");if(o<0)return n.filters.add(t),`${nt(t,"filter")}(${e})`;{const r=t.slice(0,o),s=t.slice(o+1);return n.filters.add(r),`${nt(r,"filter")}(${e}${")"!==s?","+s:s}`}}const Xn=new WeakSet,Qn=(e,t)=>{if(1===e.type){const n=We(e,"memo");if(!n||Xn.has(e))return;return Xn.add(e),()=>{const o=e.codegenNode||t.currentNode.codegenNode;o&&13===o.type&&(1!==e.tagType&&rt(o,t),e.codegenNode=Te(t.helper(fe),[n.exp,xe(void 0,o),"_cache",String(t.cached++)]))}}};function eo(e){return[[Kn,ln,Qn,dn,zn,Vn,In,Nn,Hn],{on:Bn,bind:Fn,model:Un}]}function to(e,t={}){const n=t.onError||k,o="module"===t.mode;!0===t.prefixIdentifiers?n(C(46)):o&&n(C(47));t.cacheHandlers&&n(C(48)),t.scopeId&&!o&&n(C(49));const r=h(e)?ft(e,t):e,[s,i]=eo();return Ut(r,f({},t,{prefixIdentifiers:false,nodeTransforms:[...s,...t.nodeTransforms||[]],directiveTransforms:f({},i,t.directiveTransforms||{})})),Zt(r,f({},t,{prefixIdentifiers:false}))}const no=()=>({props:[]}),oo=Symbol(""),ro=Symbol(""),so=Symbol(""),io=Symbol(""),co=Symbol(""),lo=Symbol(""),ao=Symbol(""),po=Symbol(""),uo=Symbol(""),fo=Symbol("");let ho;me({[oo]:"vModelRadio",[ro]:"vModelCheckbox",[so]:"vModelText",[io]:"vModelSelect",[co]:"vModelDynamic",[lo]:"withModifiers",[ao]:"withKeys",[po]:"vShow",[uo]:"Transition",[fo]:"TransitionGroup"});const mo=t("style,iframe,script,noscript",!0),go={isVoidTag:i,isNativeTag:e=>r(e)||s(e),isPreTag:e=>"pre"===e,decodeEntities:function(e,t=!1){return ho||(ho=document.createElement("div")),t?(ho.innerHTML=`<div foo="${e.replace(/"/g,"&quot;")}">`,ho.children[0].getAttribute("foo")):(ho.innerHTML=e,ho.textContent)},isBuiltInComponent:e=>Me(e,"Transition")?uo:Me(e,"TransitionGroup")?fo:void 0,getNamespace(e,t){let n=t?t.ns:0;if(t&&2===n)if("annotation-xml"===t.tag){if("svg"===e)return 1;t.props.some((e=>6===e.type&&"encoding"===e.name&&null!=e.value&&("text/html"===e.value.content||"application/xhtml+xml"===e.value.content)))&&(n=0)}else/^m(?:[ions]|text)$/.test(t.tag)&&"mglyph"!==e&&"malignmark"!==e&&(n=0);else t&&1===n&&("foreignObject"!==t.tag&&"desc"!==t.tag&&"title"!==t.tag||(n=0));if(0===n){if("svg"===e)return 1;if("math"===e)return 2}return n},getTextMode({tag:e,ns:t}){if(0===t){if("textarea"===e||"title"===e)return 1;if(mo(e))return 2}return 0}},yo=e=>{1===e.type&&e.props.forEach(((t,n)=>{6===t.type&&"style"===t.name&&t.value&&(e.props[n]={type:7,name:"bind",arg:Ne("style",!0,t.loc),exp:vo(t.value.content,t.loc),modifiers:[],loc:t.loc})}))},vo=(e,t)=>{const r=function(e){const t={};return e.split(n).forEach((e=>{if(e){const n=e.split(o);n.length>1&&(t[n[0].trim()]=n[1].trim())}})),t}(e);return Ne(JSON.stringify(r),!1,t,3)};function So(e,t){return C(e,t)}const bo=t("passive,once,capture"),Eo=t("stop,prevent,self,ctrl,shift,alt,meta,exact,middle"),No=t("left,right"),_o=t("onkeyup,onkeydown,onkeypress",!0),To=(e,t)=>Ie(e)&&"onclick"===e.content.toLowerCase()?Ne(t,!0):4!==e.type?_e(["(",e,`) === "onClick" ? "${t}" : (`,e,")"]):e,xo=(e,t)=>{1!==e.type||0!==e.tagType||"script"!==e.tag&&"style"!==e.tag||t.removeNode()},ko=[yo],Oo={cloak:no,html:(e,t,n)=>{const{exp:o,loc:r}=e;return t.children.length&&(t.children.length=0),{props:[Ee(Ne("innerHTML",!0,r),o||Ne("",!0))]}},text:(e,t,n)=>{const{exp:o,loc:r}=e;return t.children.length&&(t.children.length=0),{props:[Ee(Ne("textContent",!0),o?Dt(o,n)>0?o:Te(n.helperString(Z),[o],r):Ne("",!0))]}},model:(e,t,n)=>{const o=Un(e,t,n);if(!o.props.length||1===t.tagType)return o;const{tag:r}=t,s=n.isCustomElement(r);if("input"===r||"textarea"===r||"select"===r||s){let e=so,i=!1;if("input"===r||s){const n=Ke(t,"type");if(n){if(7===n.type)e=co;else if(n.value)switch(n.value.content){case"radio":e=oo;break;case"checkbox":e=ro;break;case"file":i=!0}}else Je(t)&&(e=co)}else"select"===r&&(e=io);i||(o.needRuntime=n.helper(e))}return o.props=o.props.filter((e=>!(4===e.key.type&&"modelValue"===e.key.content))),o},on:(e,t,n)=>Bn(e,t,n,(t=>{const{modifiers:o}=e;if(!o.length)return t;let{key:r,value:s}=t.props[0];const{keyModifiers:i,nonKeyModifiers:c,eventOptionModifiers:l}=((e,t,n,o)=>{const r=[],s=[],i=[];for(let c=0;c<t.length;c++){const o=t[c];"native"===o&&lt("COMPILER_V_ON_NATIVE",n)||bo(o)?i.push(o):No(o)?Ie(e)?_o(e.content)?r.push(o):s.push(o):(r.push(o),s.push(o)):Eo(o)?s.push(o):r.push(o)}return{keyModifiers:r,nonKeyModifiers:s,eventOptionModifiers:i}})(r,o,n);if(c.includes("right")&&(r=To(r,"onContextmenu")),c.includes("middle")&&(r=To(r,"onMouseup")),c.length&&(s=Te(n.helper(lo),[s,JSON.stringify(c)])),!i.length||Ie(r)&&!_o(r.content)||(s=Te(n.helper(ao),[s,JSON.stringify(i)])),l.length){const e=l.map(T).join("");r=Ie(r)?Ne(`${r.content}${e}`,!0):_e(["(",r,`) + "${e}"`])}return{props:[Ee(r,s)]}})),show:(e,t,n)=>({props:[],needRuntime:n.helper(po)})};return e.BASE_TRANSITION=w,e.CAMELIZE=oe,e.CAPITALIZE=re,e.CREATE_BLOCK=L,e.CREATE_COMMENT=B,e.CREATE_ELEMENT_BLOCK=V,e.CREATE_ELEMENT_VNODE=D,e.CREATE_SLOTS=Y,e.CREATE_STATIC=j,e.CREATE_TEXT=F,e.CREATE_VNODE=A,e.DOMDirectiveTransforms=Oo,e.DOMNodeTransforms=ko,e.FRAGMENT=I,e.GUARD_REACTIVE_PROPS=te,e.IS_MEMO_SAME=de,e.IS_REF=ue,e.KEEP_ALIVE=P,e.MERGE_PROPS=q,e.NORMALIZE_CLASS=X,e.NORMALIZE_PROPS=ee,e.NORMALIZE_STYLE=Q,e.OPEN_BLOCK=$,e.POP_SCOPE_ID=le,e.PUSH_SCOPE_ID=ce,e.RENDER_LIST=G,e.RENDER_SLOT=z,e.RESOLVE_COMPONENT=H,e.RESOLVE_DIRECTIVE=K,e.RESOLVE_DYNAMIC_COMPONENT=W,e.RESOLVE_FILTER=U,e.SET_BLOCK_TRACKING=ie,e.SUSPENSE=R,e.TELEPORT=M,e.TO_DISPLAY_STRING=Z,e.TO_HANDLERS=ne,e.TO_HANDLER_KEY=se,e.TRANSITION=uo,e.TRANSITION_GROUP=fo,e.UNREF=pe,e.V_MODEL_CHECKBOX=ro,e.V_MODEL_DYNAMIC=co,e.V_MODEL_RADIO=oo,e.V_MODEL_SELECT=io,e.V_MODEL_TEXT=so,e.V_ON_WITH_KEYS=ao,e.V_ON_WITH_MODIFIERS=lo,e.V_SHOW=po,e.WITH_CTX=ae,e.WITH_DIRECTIVES=J,e.WITH_MEMO=fe,e.advancePositionWithClone=je,e.advancePositionWithMutation=He,e.assert=function(e,t){if(!e)throw new Error(t||"unexpected compiler condition")},e.baseCompile=to,e.baseParse=ft,e.buildDirectiveArgs=$n,e.buildProps=Rn,e.buildSlots=Tn,e.checkCompatEnabled=lt,e.compile=function(e,t={}){return to(e,f({},go,t,{nodeTransforms:[xo,...ko,...t.nodeTransforms||[]],directiveTransforms:f({},Oo,t.directiveTransforms||{}),transformHoist:null}))},e.createArrayExpression=Se,e.createAssignmentExpression=function(e,t){return{type:24,left:e,right:t,loc:ge}},e.createBlockStatement=Ce,e.createCacheExpression=Oe,e.createCallExpression=Te,e.createCompilerError=C,e.createCompoundExpression=_e,e.createConditionalExpression=ke,e.createDOMCompilerError=So,e.createForLoopParams=bn,e.createFunctionExpression=xe,e.createIfStatement=function(e,t,n){return{type:23,test:e,consequent:t,alternate:n,loc:ge}},e.createInterpolation=function(e,t){return{type:5,loc:t,content:h(e)?Ne(e,!1,t):e}},e.createObjectExpression=be,e.createObjectProperty=Ee,e.createReturnStatement=function(e){return{type:26,returns:e,loc:ge}},e.createRoot=ye,e.createSequenceExpression=function(e){return{type:25,expressions:e,loc:ge}},e.createSimpleExpression=Ne,e.createStructuralDirectiveTransform=Gt,e.createTemplateLiteral=function(e){return{type:22,elements:e,loc:ge}},e.createTransformContext=Kt,e.createVNodeCall=ve,e.extractIdentifiers=rn,e.findDir=We,e.findProp=Ke,e.generate=Zt,e.generateCodeFrame=function(e,t=0,n=e.length){let o=e.split(/(\r?\n)/);const r=o.filter(((e,t)=>t%2==1));o=o.filter(((e,t)=>t%2==0));let s=0;const i=[];for(let c=0;c<o.length;c++)if(s+=o[c].length+(r[c]&&r[c].length||0),s>=t){for(let e=c-2;e<=c+2||n>s;e++){if(e<0||e>=o.length)continue;const l=e+1;i.push(`${l}${" ".repeat(Math.max(3-String(l).length,0))}| ${o[e]}`);const a=o[e].length,p=r[e]&&r[e].length||0;if(e===c){const e=t-(s-(a+p)),o=Math.max(1,n>s?a-e:n-t);i.push(" | "+" ".repeat(e)+"^".repeat(o))}else if(e>c){if(n>s){const e=Math.max(Math.min(n-s,a),1);i.push(" | "+"^".repeat(e))}s+=a+p}}break}return i.join("\n")},e.getBaseTransformPreset=eo,e.getConstantType=Dt,e.getInnerRange=Fe,e.getMemoedVNodeCall=ot,e.getVNodeBlockHelper=Xe,e.getVNodeHelper=qe,e.hasDynamicKeyVBind=Je,e.hasScopeRef=function e(t,n){if(!t||0===Object.keys(n).length)return!1;switch(t.type){case 1:for(let o=0;o<t.props.length;o++){const r=t.props[o];if(7===r.type&&(e(r.arg,n)||e(r.exp,n)))return!0}return t.children.some((t=>e(t,n)));case 11:return!!e(t.source,n)||t.children.some((t=>e(t,n)));case 9:return t.branches.some((t=>e(t,n)));case 10:return!!e(t.condition,n)||t.children.some((t=>e(t,n)));case 4:return!t.isStatic&&we(t.content)&&!!n[t.content];case 8:return t.children.some((t=>g(t)&&e(t,n)));case 5:case 12:return e(t.content,n);default:return!1}},e.helperNameMap=he,e.injectProp=tt,e.isBuiltInType=Me,e.isCoreComponent=Re,e.isFunctionType=e=>/Function(?:Expression|Declaration)$|Method$/.test(e.type),e.isInDestructureAssignment=function(e,t){if(e&&("ObjectProperty"===e.type||"ArrayPattern"===e.type)){let e=t.length;for(;e--;){const n=t[e];if("AssignmentExpression"===n.type)return!0;if("ObjectProperty"!==n.type&&!n.type.endsWith("Pattern"))break}}return!1},e.isMemberExpression=Be,e.isMemberExpressionBrowser=Ae,e.isMemberExpressionNode=De,e.isReferencedIdentifier=function(e,t,n){return!1},e.isSimpleIdentifier=we,e.isSlotOutlet=Ze,e.isStaticArgOf=Ue,e.isStaticExp=Ie,e.isStaticProperty=sn,e.isStaticPropertyKey=(e,t)=>sn(t)&&t.key===e,e.isTemplateNode=Ye,e.isText=Ge,e.isVSlot=ze,e.locStub=ge,e.makeBlock=rt,e.noopDirectiveTransform=no,e.parse=function(e,t={}){return ft(e,f({},go,t))},e.parserOptions=go,e.processExpression=cn,e.processFor=hn,e.processIf=an,e.processSlotOutlet=An,e.registerRuntimeHelpers=me,e.resolveComponentType=Mn,e.toValidAssetId=nt,e.trackSlotScopes=Nn,e.trackVForSlotScopes=(e,t)=>{let n;if(Ye(e)&&e.props.some(ze)&&(n=We(e,"for"))){const e=n.parseResult=vn(n.exp);if(e){const{value:n,key:o,index:r}=e,{addIdentifiers:s,removeIdentifiers:i}=t;return n&&s(n),o&&s(o),r&&s(r),()=>{n&&i(n),o&&i(o),r&&i(r)}}}},e.transform=Ut,e.transformBind=Fn,e.transformElement=In,e.transformExpression=(e,t)=>{if(5===e.type)e.content=cn(e.content,t);else if(1===e.type)for(let n=0;n<e.props.length;n++){const o=e.props[n];if(7===o.type&&"for"!==o.name){const e=o.exp,n=o.arg;!e||4!==e.type||"on"===o.name&&n||(o.exp=cn(e,t,"slot"===o.name)),n&&4===n.type&&!n.isStatic&&(o.arg=cn(n,t))}}},e.transformModel=Un,e.transformOn=Bn,e.transformStyle=yo,e.traverseNode=Jt,e.walkBlockDeclarations=function(e,t){for(const n of e.body)if("VariableDeclaration"===n.type){if(n.declare)continue;for(const e of n.declarations)for(const n of rn(e.id))t(n)}else if("FunctionDeclaration"===n.type||"ClassDeclaration"===n.type){if(n.declare||!n.id)continue;t(n.id)}},e.walkFunctionParams=function(e,t){for(const n of e.params)for(const e of rn(n))t(e)},e.walkIdentifiers=function(e,t,n=!1,o=[],r=Object.create(null)){},e.warnDeprecation=function(e,t,n,...o){if("suppress-warning"===it(e,t))return;const{message:r,link:s}=st[e],i=`(deprecation ${e}) ${"function"==typeof r?r(...o):r}${s?`\n Details: ${s}`:""}`,c=new SyntaxError(i);c.code=e,n&&(c.loc=n),t.onWarn(c)},Object.defineProperty(e,"__esModule",{value:!0}),e}({});
1
+ var VueCompilerDOM=function(e){"use strict";function t(e,t){const n=Object.create(null),o=e.split(",");for(let r=0;r<o.length;r++)n[o[r]]=!0;return t?e=>!!n[e.toLowerCase()]:e=>!!n[e]}const n=/;(?![^(]*\))/g,o=/:([^]+)/,r=/\/\*.*?\*\//gs;const s=t("html,body,base,head,link,meta,style,title,address,article,aside,footer,header,h1,h2,h3,h4,h5,h6,nav,section,div,dd,dl,dt,figcaption,figure,picture,hr,img,li,main,ol,p,pre,ul,a,b,abbr,bdi,bdo,br,cite,code,data,dfn,em,i,kbd,mark,q,rp,rt,ruby,s,samp,small,span,strong,sub,sup,time,u,var,wbr,area,audio,map,track,video,embed,object,param,source,canvas,script,noscript,del,ins,caption,col,colgroup,table,thead,tbody,td,th,tr,button,datalist,fieldset,form,input,label,legend,meter,optgroup,option,output,progress,select,textarea,details,dialog,menu,summary,template,blockquote,iframe,tfoot"),i=t("svg,animate,animateMotion,animateTransform,circle,clipPath,color-profile,defs,desc,discard,ellipse,feBlend,feColorMatrix,feComponentTransfer,feComposite,feConvolveMatrix,feDiffuseLighting,feDisplacementMap,feDistanceLight,feDropShadow,feFlood,feFuncA,feFuncB,feFuncG,feFuncR,feGaussianBlur,feImage,feMerge,feMergeNode,feMorphology,feOffset,fePointLight,feSpecularLighting,feSpotLight,feTile,feTurbulence,filter,foreignObject,g,hatch,hatchpath,image,line,linearGradient,marker,mask,mesh,meshgradient,meshpatch,meshrow,metadata,mpath,path,pattern,polygon,polyline,radialGradient,rect,set,solidcolor,stop,switch,symbol,text,textPath,title,tspan,unknown,use,view"),c=t("area,base,br,col,embed,hr,img,input,link,meta,param,source,track,wbr"),l={},a=()=>{},p=()=>!1,u=/^on[^a-z]/,f=e=>u.test(e),d=Object.assign,h=Array.isArray,m=e=>"string"==typeof e,g=e=>"symbol"==typeof e,y=e=>null!==e&&"object"==typeof e,v=t(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),S=t("bind,cloak,else-if,else,for,html,if,model,on,once,pre,show,slot,text,memo"),b=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},E=/-(\w)/g,N=b((e=>e.replace(E,((e,t)=>t?t.toUpperCase():"")))),_=/\B([A-Z])/g,x=b((e=>e.replace(_,"-$1").toLowerCase())),T=b((e=>e.charAt(0).toUpperCase()+e.slice(1))),k=b((e=>e?`on${T(e)}`:""));function O(e){throw e}function C(e){}function I(e,t,n,o){const r=new SyntaxError(String(e));return r.code=e,r.loc=t,r}const M=Symbol(""),R=Symbol(""),P=Symbol(""),w=Symbol(""),$=Symbol(""),L=Symbol(""),V=Symbol(""),A=Symbol(""),D=Symbol(""),B=Symbol(""),F=Symbol(""),j=Symbol(""),H=Symbol(""),W=Symbol(""),K=Symbol(""),U=Symbol(""),J=Symbol(""),G=Symbol(""),z=Symbol(""),Y=Symbol(""),Z=Symbol(""),q=Symbol(""),X=Symbol(""),Q=Symbol(""),ee=Symbol(""),te=Symbol(""),ne=Symbol(""),oe=Symbol(""),re=Symbol(""),se=Symbol(""),ie=Symbol(""),ce=Symbol(""),le=Symbol(""),ae=Symbol(""),pe=Symbol(""),ue=Symbol(""),fe=Symbol(""),de=Symbol(""),he=Symbol(""),me={[M]:"Fragment",[R]:"Teleport",[P]:"Suspense",[w]:"KeepAlive",[$]:"BaseTransition",[L]:"openBlock",[V]:"createBlock",[A]:"createElementBlock",[D]:"createVNode",[B]:"createElementVNode",[F]:"createCommentVNode",[j]:"createTextVNode",[H]:"createStaticVNode",[W]:"resolveComponent",[K]:"resolveDynamicComponent",[U]:"resolveDirective",[J]:"resolveFilter",[G]:"withDirectives",[z]:"renderList",[Y]:"renderSlot",[Z]:"createSlots",[q]:"toDisplayString",[X]:"mergeProps",[Q]:"normalizeClass",[ee]:"normalizeStyle",[te]:"normalizeProps",[ne]:"guardReactiveProps",[oe]:"toHandlers",[re]:"camelize",[se]:"capitalize",[ie]:"toHandlerKey",[ce]:"setBlockTracking",[le]:"pushScopeId",[ae]:"popScopeId",[pe]:"withCtx",[ue]:"unref",[fe]:"isRef",[de]:"withMemo",[he]:"isMemoSame"};function ge(e){Object.getOwnPropertySymbols(e).forEach((t=>{me[t]=e[t]}))}const ye={source:"",start:{line:1,column:1,offset:0},end:{line:1,column:1,offset:0}};function ve(e,t=ye){return{type:0,children:e,helpers:[],components:[],directives:[],hoists:[],imports:[],cached:0,temps:0,codegenNode:void 0,loc:t}}function Se(e,t,n,o,r,s,i,c=!1,l=!1,a=!1,p=ye){return e&&(c?(e.helper(L),e.helper(Qe(e.inSSR,a))):e.helper(Xe(e.inSSR,a)),i&&e.helper(G)),{type:13,tag:t,props:n,children:o,patchFlag:r,dynamicProps:s,directives:i,isBlock:c,disableTracking:l,isComponent:a,loc:p}}function be(e,t=ye){return{type:17,loc:t,elements:e}}function Ee(e,t=ye){return{type:15,loc:t,properties:e}}function Ne(e,t){return{type:16,loc:ye,key:m(e)?_e(e,!0):e,value:t}}function _e(e,t=!1,n=ye,o=0){return{type:4,loc:n,content:e,isStatic:t,constType:t?3:o}}function xe(e,t=ye){return{type:8,loc:t,children:e}}function Te(e,t=[],n=ye){return{type:14,loc:n,callee:e,arguments:t}}function ke(e,t,n=!1,o=!1,r=ye){return{type:18,params:e,returns:t,newline:n,isSlot:o,loc:r}}function Oe(e,t,n,o=!0){return{type:19,test:e,consequent:t,alternate:n,newline:o,loc:ye}}function Ce(e,t,n=!1){return{type:20,index:e,value:t,isVNode:n,loc:ye}}function Ie(e){return{type:21,body:e,loc:ye}}const Me=e=>4===e.type&&e.isStatic,Re=(e,t)=>e===t||e===x(t);function Pe(e){return Re(e,"Teleport")?R:Re(e,"Suspense")?P:Re(e,"KeepAlive")?w:Re(e,"BaseTransition")?$:void 0}const we=/^\d|[^\$\w]/,$e=e=>!we.test(e),Le=/[A-Za-z_$\xA0-\uFFFF]/,Ve=/[\.\?\w$\xA0-\uFFFF]/,Ae=/\s+[.[]\s*|\s*[.[]\s+/g,De=e=>{e=e.trim().replace(Ae,(e=>e.trim()));let t=0,n=[],o=0,r=0,s=null;for(let i=0;i<e.length;i++){const c=e.charAt(i);switch(t){case 0:if("["===c)n.push(t),t=1,o++;else if("("===c)n.push(t),t=2,r++;else if(!(0===i?Le:Ve).test(c))return!1;break;case 1:"'"===c||'"'===c||"`"===c?(n.push(t),t=3,s=c):"["===c?o++:"]"===c&&(--o||(t=n.pop()));break;case 2:if("'"===c||'"'===c||"`"===c)n.push(t),t=3,s=c;else if("("===c)r++;else if(")"===c){if(i===e.length-1)return!1;--r||(t=n.pop())}break;case 3:c===s&&(t=n.pop(),s=null)}}return!o&&!r},Be=a,Fe=De;function je(e,t,n){const o={source:e.source.slice(t,t+n),start:He(e.start,e.source,t),end:e.end};return null!=n&&(o.end=He(e.start,e.source,t+n)),o}function He(e,t,n=t.length){return We(d({},e),t,n)}function We(e,t,n=t.length){let o=0,r=-1;for(let s=0;s<n;s++)10===t.charCodeAt(s)&&(o++,r=s);return e.offset+=n,e.line+=o,e.column=-1===r?e.column+n:n-r,e}function Ke(e,t,n=!1){for(let o=0;o<e.props.length;o++){const r=e.props[o];if(7===r.type&&(n||r.exp)&&(m(t)?r.name===t:t.test(r.name)))return r}}function Ue(e,t,n=!1,o=!1){for(let r=0;r<e.props.length;r++){const s=e.props[r];if(6===s.type){if(n)continue;if(s.name===t&&(s.value||o))return s}else if("bind"===s.name&&(s.exp||o)&&Je(s.arg,t))return s}}function Je(e,t){return!(!e||!Me(e)||e.content!==t)}function Ge(e){return e.props.some((e=>!(7!==e.type||"bind"!==e.name||e.arg&&4===e.arg.type&&e.arg.isStatic)))}function ze(e){return 5===e.type||2===e.type}function Ye(e){return 7===e.type&&"slot"===e.name}function Ze(e){return 1===e.type&&3===e.tagType}function qe(e){return 1===e.type&&2===e.tagType}function Xe(e,t){return e||t?D:B}function Qe(e,t){return e||t?V:A}const et=new Set([te,ne]);function tt(e,t=[]){if(e&&!m(e)&&14===e.type){const n=e.callee;if(!m(n)&&et.has(n))return tt(e.arguments[0],t.concat(e))}return[e,t]}function nt(e,t,n){let o,r,s=13===e.type?e.props:e.arguments[2],i=[];if(s&&!m(s)&&14===s.type){const e=tt(s);s=e[0],i=e[1],r=i[i.length-1]}if(null==s||m(s))o=Ee([t]);else if(14===s.type){const e=s.arguments[0];m(e)||15!==e.type?s.callee===oe?o=Te(n.helper(X),[Ee([t]),s]):s.arguments.unshift(Ee([t])):ot(t,e)||e.properties.unshift(t),!o&&(o=s)}else 15===s.type?(ot(t,s)||s.properties.unshift(t),o=s):(o=Te(n.helper(X),[Ee([t]),s]),r&&r.callee===ne&&(r=i[i.length-2]));13===e.type?r?r.arguments[0]=o:e.props=o:r?r.arguments[0]=o:e.arguments[2]=o}function ot(e,t){let n=!1;if(4===e.key.type){const o=e.key.content;n=t.properties.some((e=>4===e.key.type&&e.key.content===o))}return n}function rt(e,t){return`_${t}_${e.replace(/[^\w]/g,((t,n)=>"-"===t?"_":e.charCodeAt(n).toString()))}`}function st(e){return 14===e.type&&e.callee===de?e.arguments[1].returns:e}function it(e,{helper:t,removeHelper:n,inSSR:o}){e.isBlock||(e.isBlock=!0,n(Xe(o,e.isComponent)),t(L),t(Qe(o,e.isComponent)))}const ct={COMPILER_IS_ON_ELEMENT:{message:'Platform-native elements with "is" prop will no longer be treated as components in Vue 3 unless the "is" value is explicitly prefixed with "vue:".',link:"https://v3-migration.vuejs.org/breaking-changes/custom-elements-interop.html"},COMPILER_V_BIND_SYNC:{message:e=>`.sync modifier for v-bind has been removed. Use v-model with argument instead. \`v-bind:${e}.sync\` should be changed to \`v-model:${e}\`.`,link:"https://v3-migration.vuejs.org/breaking-changes/v-model.html"},COMPILER_V_BIND_PROP:{message:".prop modifier for v-bind has been removed and no longer necessary. Vue 3 will automatically set a binding as DOM property when appropriate."},COMPILER_V_BIND_OBJECT_ORDER:{message:'v-bind="obj" usage is now order sensitive and behaves like JavaScript object spread: it will now overwrite an existing non-mergeable attribute that appears before v-bind in the case of conflict. To retain 2.x behavior, move v-bind to make it the first attribute. You can also suppress this warning if the usage is intended.',link:"https://v3-migration.vuejs.org/breaking-changes/v-bind.html"},COMPILER_V_ON_NATIVE:{message:".native modifier for v-on has been removed as is no longer necessary.",link:"https://v3-migration.vuejs.org/breaking-changes/v-on-native-modifier-removed.html"},COMPILER_V_IF_V_FOR_PRECEDENCE:{message:"v-if / v-for precedence when used on the same element has changed in Vue 3: v-if now takes higher precedence and will no longer have access to v-for scope variables. It is best to avoid the ambiguity with <template> tags or use a computed property that filters v-for data source.",link:"https://v3-migration.vuejs.org/breaking-changes/v-if-v-for.html"},COMPILER_NATIVE_TEMPLATE:{message:"<template> with no special directives will render as a native template element instead of its inner content in Vue 3."},COMPILER_INLINE_TEMPLATE:{message:'"inline-template" has been removed in Vue 3.',link:"https://v3-migration.vuejs.org/breaking-changes/inline-template-attribute.html"},COMPILER_FILTER:{message:'filters have been removed in Vue 3. The "|" symbol will be treated as native JavaScript bitwise OR operator. Use method calls or computed properties instead.',link:"https://v3-migration.vuejs.org/breaking-changes/filters.html"}};function lt(e,t){const n=t.options?t.options.compatConfig:t.compatConfig,o=n&&n[e];return"MODE"===e?o||3:o}function at(e,t){const n=lt("MODE",t),o=lt(e,t);return 3===n?!0===o:!1!==o}function pt(e,t,n,...o){return at(e,t)}const ut=/&(gt|lt|amp|apos|quot);/g,ft={gt:">",lt:"<",amp:"&",apos:"'",quot:'"'},dt={delimiters:["{{","}}"],getNamespace:()=>0,getTextMode:()=>0,isVoidTag:p,isPreTag:p,isCustomElement:p,decodeEntities:e=>e.replace(ut,((e,t)=>ft[t])),onError:O,onWarn:C,comments:!1};function ht(e,t={}){const n=function(e,t){const n=d({},dt);let o;for(o in t)n[o]=void 0===t[o]?dt[o]:t[o];return{options:n,column:1,line:1,offset:0,originalSource:e,source:e,inPre:!1,inVPre:!1,onWarn:n.onWarn}}(e,t),o=Ct(n);return ve(mt(n,0,[]),It(n,o))}function mt(e,t,n){const o=Mt(n),r=o?o.ns:0,s=[];for(;!Lt(e,t,n);){const i=e.source;let c;if(0===t||1===t)if(!e.inVPre&&Rt(i,e.options.delimiters[0]))c=Tt(e,t);else if(0===t&&"<"===i[0])if(1===i.length);else if("!"===i[1])c=Rt(i,"\x3c!--")?vt(e):Rt(i,"<!DOCTYPE")?St(e):Rt(i,"<![CDATA[")&&0!==r?yt(e,n):St(e);else if("/"===i[1])if(2===i.length);else{if(">"===i[2]){Pt(e,3);continue}if(/[a-z]/i.test(i[2])){Nt(e,1,o);continue}c=St(e)}else/[a-z]/i.test(i[1])?(c=bt(e,n),at("COMPILER_NATIVE_TEMPLATE",e)&&c&&"template"===c.tag&&!c.props.some((e=>7===e.type&&Et(e.name)))&&(c=c.children)):"?"===i[1]&&(c=St(e));if(c||(c=kt(e,t)),h(c))for(let e=0;e<c.length;e++)gt(s,c[e]);else gt(s,c)}let i=!1;if(2!==t&&1!==t){const t="preserve"!==e.options.whitespace;for(let n=0;n<s.length;n++){const o=s[n];if(2===o.type)if(e.inPre)o.content=o.content.replace(/\r\n/g,"\n");else if(/[^\t\r\n\f ]/.test(o.content))t&&(o.content=o.content.replace(/[\t\r\n\f ]+/g," "));else{const e=s[n-1],r=s[n+1];!e||!r||t&&(3===e.type&&3===r.type||3===e.type&&1===r.type||1===e.type&&3===r.type||1===e.type&&1===r.type&&/[\r\n]/.test(o.content))?(i=!0,s[n]=null):o.content=" "}else 3!==o.type||e.options.comments||(i=!0,s[n]=null)}if(e.inPre&&o&&e.options.isPreTag(o.tag)){const e=s[0];e&&2===e.type&&(e.content=e.content.replace(/^\r?\n/,""))}}return i?s.filter(Boolean):s}function gt(e,t){if(2===t.type){const n=Mt(e);if(n&&2===n.type&&n.loc.end.offset===t.loc.start.offset)return n.content+=t.content,n.loc.end=t.loc.end,void(n.loc.source+=t.loc.source)}e.push(t)}function yt(e,t){Pt(e,9);const n=mt(e,3,t);return 0===e.source.length||Pt(e,3),n}function vt(e){const t=Ct(e);let n;const o=/--(\!)?>/.exec(e.source);if(o){n=e.source.slice(4,o.index);const t=e.source.slice(0,o.index);let r=1,s=0;for(;-1!==(s=t.indexOf("\x3c!--",r));)Pt(e,s-r+1),r=s+1;Pt(e,o.index+o[0].length-r+1)}else n=e.source.slice(4),Pt(e,e.source.length);return{type:3,content:n,loc:It(e,t)}}function St(e){const t=Ct(e),n="?"===e.source[1]?1:2;let o;const r=e.source.indexOf(">");return-1===r?(o=e.source.slice(n),Pt(e,e.source.length)):(o=e.source.slice(n,r),Pt(e,r+1)),{type:3,content:o,loc:It(e,t)}}function bt(e,t){const n=e.inPre,o=e.inVPre,r=Mt(t),s=Nt(e,0,r),i=e.inPre&&!n,c=e.inVPre&&!o;if(s.isSelfClosing||e.options.isVoidTag(s.tag))return i&&(e.inPre=!1),c&&(e.inVPre=!1),s;t.push(s);const l=e.options.getTextMode(s,r),a=mt(e,l,t);t.pop();{const t=s.props.find((e=>6===e.type&&"inline-template"===e.name));if(t&&pt("COMPILER_INLINE_TEMPLATE",e)){const n=It(e,s.loc.end);t.value={type:2,content:n.source,loc:n}}}if(s.children=a,Vt(e.source,s.tag))Nt(e,1,r);else if(0===e.source.length&&"script"===s.tag.toLowerCase()){const e=a[0];e&&Rt(e.loc.source,"\x3c!--")}return s.loc=It(e,s.loc.start),i&&(e.inPre=!1),c&&(e.inVPre=!1),s}const Et=t("if,else,else-if,for,slot");function Nt(e,t,n){const o=Ct(e),r=/^<\/?([a-z][^\t\r\n\f />]*)/i.exec(e.source),s=r[1],i=e.options.getNamespace(s,n);Pt(e,r[0].length),wt(e);const c=Ct(e),l=e.source;e.options.isPreTag(s)&&(e.inPre=!0);let a=_t(e,t);0===t&&!e.inVPre&&a.some((e=>7===e.type&&"pre"===e.name))&&(e.inVPre=!0,d(e,c),e.source=l,a=_t(e,t).filter((e=>"v-pre"!==e.name)));let p=!1;if(0===e.source.length||(p=Rt(e.source,"/>"),Pt(e,p?2:1)),1===t)return;let u=0;return e.inVPre||("slot"===s?u=2:"template"===s?a.some((e=>7===e.type&&Et(e.name)))&&(u=3):function(e,t,n){const o=n.options;if(o.isCustomElement(e))return!1;if("component"===e||/^[A-Z]/.test(e)||Pe(e)||o.isBuiltInComponent&&o.isBuiltInComponent(e)||o.isNativeTag&&!o.isNativeTag(e))return!0;for(let r=0;r<t.length;r++){const e=t[r];if(6===e.type){if("is"===e.name&&e.value){if(e.value.content.startsWith("vue:"))return!0;if(pt("COMPILER_IS_ON_ELEMENT",n))return!0}}else{if("is"===e.name)return!0;if("bind"===e.name&&Je(e.arg,"is")&&pt("COMPILER_IS_ON_ELEMENT",n))return!0}}}(s,a,e)&&(u=1)),{type:1,ns:i,tag:s,tagType:u,props:a,isSelfClosing:p,children:[],loc:It(e,o),codegenNode:void 0}}function _t(e,t){const n=[],o=new Set;for(;e.source.length>0&&!Rt(e.source,">")&&!Rt(e.source,"/>");){if(Rt(e.source,"/")){Pt(e,1),wt(e);continue}const r=xt(e,o);6===r.type&&r.value&&"class"===r.name&&(r.value.content=r.value.content.replace(/\s+/g," ").trim()),0===t&&n.push(r),/^[^\t\r\n\f />]/.test(e.source),wt(e)}return n}function xt(e,t){const n=Ct(e),o=/^[^\t\r\n\f />][^\t\r\n\f />=]*/.exec(e.source)[0];t.has(o),t.add(o);{const e=/["'<]/g;let t;for(;t=e.exec(o););}let r;Pt(e,o.length),/^[\t\r\n\f ]*=/.test(e.source)&&(wt(e),Pt(e,1),wt(e),r=function(e){const t=Ct(e);let n;const o=e.source[0],r='"'===o||"'"===o;if(r){Pt(e,1);const t=e.source.indexOf(o);-1===t?n=Ot(e,e.source.length,4):(n=Ot(e,t,4),Pt(e,1))}else{const t=/^[^\t\r\n\f >]+/.exec(e.source);if(!t)return;const o=/["'<=`]/g;let r;for(;r=o.exec(t[0]););n=Ot(e,t[0].length,4)}return{content:n,isQuoted:r,loc:It(e,t)}}(e));const s=It(e,n);if(!e.inVPre&&/^(v-[A-Za-z0-9-]|:|\.|@|#)/.test(o)){const t=/(?:^v-([a-z0-9-]+))?(?:(?::|^\.|^@|^#)(\[[^\]]+\]|[^\.]+))?(.+)?$/i.exec(o);let i,c=Rt(o,"."),l=t[1]||(c||Rt(o,":")?"bind":Rt(o,"@")?"on":"slot");if(t[2]){const r="slot"===l,s=o.lastIndexOf(t[2]),c=It(e,$t(e,n,s),$t(e,n,s+t[2].length+(r&&t[3]||"").length));let a=t[2],p=!0;a.startsWith("[")?(p=!1,a=a.endsWith("]")?a.slice(1,a.length-1):a.slice(1)):r&&(a+=t[3]||""),i={type:4,content:a,isStatic:p,constType:p?3:0,loc:c}}if(r&&r.isQuoted){const e=r.loc;e.start.offset++,e.start.column++,e.end=He(e.start,r.content),e.source=e.source.slice(1,-1)}const a=t[3]?t[3].slice(1).split("."):[];return c&&a.push("prop"),"bind"===l&&i&&a.includes("sync")&&pt("COMPILER_V_BIND_SYNC",e,0)&&(l="model",a.splice(a.indexOf("sync"),1)),{type:7,name:l,exp:r&&{type:4,content:r.content,isStatic:!1,constType:0,loc:r.loc},arg:i,modifiers:a,loc:s}}return!e.inVPre&&Rt(o,"v-"),{type:6,name:o,value:r&&{type:2,content:r.content,loc:r.loc},loc:s}}function Tt(e,t){const[n,o]=e.options.delimiters,r=e.source.indexOf(o,n.length);if(-1===r)return;const s=Ct(e);Pt(e,n.length);const i=Ct(e),c=Ct(e),l=r-n.length,a=e.source.slice(0,l),p=Ot(e,l,t),u=p.trim(),f=p.indexOf(u);f>0&&We(i,a,f);return We(c,a,l-(p.length-u.length-f)),Pt(e,o.length),{type:5,content:{type:4,isStatic:!1,constType:0,content:u,loc:It(e,i,c)},loc:It(e,s)}}function kt(e,t){const n=3===t?["]]>"]:["<",e.options.delimiters[0]];let o=e.source.length;for(let s=0;s<n.length;s++){const t=e.source.indexOf(n[s],1);-1!==t&&o>t&&(o=t)}const r=Ct(e);return{type:2,content:Ot(e,o,t),loc:It(e,r)}}function Ot(e,t,n){const o=e.source.slice(0,t);return Pt(e,t),2!==n&&3!==n&&o.includes("&")?e.options.decodeEntities(o,4===n):o}function Ct(e){const{column:t,line:n,offset:o}=e;return{column:t,line:n,offset:o}}function It(e,t,n){return{start:t,end:n=n||Ct(e),source:e.originalSource.slice(t.offset,n.offset)}}function Mt(e){return e[e.length-1]}function Rt(e,t){return e.startsWith(t)}function Pt(e,t){const{source:n}=e;We(e,n,t),e.source=n.slice(t)}function wt(e){const t=/^[\t\r\n\f ]+/.exec(e.source);t&&Pt(e,t[0].length)}function $t(e,t,n){return He(t,e.originalSource.slice(t.offset,n),n)}function Lt(e,t,n){const o=e.source;switch(t){case 0:if(Rt(o,"</"))for(let e=n.length-1;e>=0;--e)if(Vt(o,n[e].tag))return!0;break;case 1:case 2:{const e=Mt(n);if(e&&Vt(o,e.tag))return!0;break}case 3:if(Rt(o,"]]>"))return!0}return!o}function Vt(e,t){return Rt(e,"</")&&e.slice(2,2+t.length).toLowerCase()===t.toLowerCase()&&/[\t\r\n\f />]/.test(e[2+t.length]||">")}function At(e,t){Bt(e,t,Dt(e,e.children[0]))}function Dt(e,t){const{children:n}=e;return 1===n.length&&1===t.type&&!qe(t)}function Bt(e,t,n=!1){const{children:o}=e,r=o.length;let s=0;for(let i=0;i<o.length;i++){const e=o[i];if(1===e.type&&0===e.tagType){const o=n?0:Ft(e,t);if(o>0){if(o>=2){e.codegenNode.patchFlag="-1",e.codegenNode=t.hoist(e.codegenNode),s++;continue}}else{const n=e.codegenNode;if(13===n.type){const o=Ut(n);if((!o||512===o||1===o)&&Wt(e,t)>=2){const o=Kt(e);o&&(n.props=t.hoist(o))}n.dynamicProps&&(n.dynamicProps=t.hoist(n.dynamicProps))}}}if(1===e.type){const n=1===e.tagType;n&&t.scopes.vSlot++,Bt(e,t),n&&t.scopes.vSlot--}else if(11===e.type)Bt(e,t,1===e.children.length);else if(9===e.type)for(let n=0;n<e.branches.length;n++)Bt(e.branches[n],t,1===e.branches[n].children.length)}s&&t.transformHoist&&t.transformHoist(o,t,e),s&&s===r&&1===e.type&&0===e.tagType&&e.codegenNode&&13===e.codegenNode.type&&h(e.codegenNode.children)&&(e.codegenNode.children=t.hoist(be(e.codegenNode.children)))}function Ft(e,t){const{constantCache:n}=t;switch(e.type){case 1:if(0!==e.tagType)return 0;const o=n.get(e);if(void 0!==o)return o;const r=e.codegenNode;if(13!==r.type)return 0;if(r.isBlock&&"svg"!==e.tag&&"foreignObject"!==e.tag)return 0;if(Ut(r))return n.set(e,0),0;{let o=3;const s=Wt(e,t);if(0===s)return n.set(e,0),0;s<o&&(o=s);for(let r=0;r<e.children.length;r++){const s=Ft(e.children[r],t);if(0===s)return n.set(e,0),0;s<o&&(o=s)}if(o>1)for(let r=0;r<e.props.length;r++){const s=e.props[r];if(7===s.type&&"bind"===s.name&&s.exp){const r=Ft(s.exp,t);if(0===r)return n.set(e,0),0;r<o&&(o=r)}}if(r.isBlock){for(let t=0;t<e.props.length;t++){if(7===e.props[t].type)return n.set(e,0),0}t.removeHelper(L),t.removeHelper(Qe(t.inSSR,r.isComponent)),r.isBlock=!1,t.helper(Xe(t.inSSR,r.isComponent))}return n.set(e,o),o}case 2:case 3:return 3;case 9:case 11:case 10:default:return 0;case 5:case 12:return Ft(e.content,t);case 4:return e.constType;case 8:let s=3;for(let n=0;n<e.children.length;n++){const o=e.children[n];if(m(o)||g(o))continue;const r=Ft(o,t);if(0===r)return 0;r<s&&(s=r)}return s}}const jt=new Set([Q,ee,te,ne]);function Ht(e,t){if(14===e.type&&!m(e.callee)&&jt.has(e.callee)){const n=e.arguments[0];if(4===n.type)return Ft(n,t);if(14===n.type)return Ht(n,t)}return 0}function Wt(e,t){let n=3;const o=Kt(e);if(o&&15===o.type){const{properties:e}=o;for(let o=0;o<e.length;o++){const{key:r,value:s}=e[o],i=Ft(r,t);if(0===i)return i;let c;if(i<n&&(n=i),c=4===s.type?Ft(s,t):14===s.type?Ht(s,t):0,0===c)return c;c<n&&(n=c)}}return n}function Kt(e){const t=e.codegenNode;if(13===t.type)return t.props}function Ut(e){const t=e.patchFlag;return t?parseInt(t,10):void 0}function Jt(e,{filename:t="",prefixIdentifiers:n=!1,hoistStatic:o=!1,cacheHandlers:r=!1,nodeTransforms:s=[],directiveTransforms:i={},transformHoist:c=null,isBuiltInComponent:p=a,isCustomElement:u=a,expressionPlugins:f=[],scopeId:d=null,slotted:h=!0,ssr:g=!1,inSSR:y=!1,ssrCssVars:v="",bindingMetadata:S=l,inline:b=!1,isTS:E=!1,onError:_=O,onWarn:x=C,compatConfig:k}){const I=t.replace(/\?.*$/,"").match(/([^/\\]+)\.\w+$/),M={selfName:I&&T(N(I[1])),prefixIdentifiers:n,hoistStatic:o,cacheHandlers:r,nodeTransforms:s,directiveTransforms:i,transformHoist:c,isBuiltInComponent:p,isCustomElement:u,expressionPlugins:f,scopeId:d,slotted:h,ssr:g,inSSR:y,ssrCssVars:v,bindingMetadata:S,inline:b,isTS:E,onError:_,onWarn:x,compatConfig:k,root:e,helpers:new Map,components:new Set,directives:new Set,hoists:[],imports:[],constantCache:new Map,temps:0,cached:0,identifiers:Object.create(null),scopes:{vFor:0,vSlot:0,vPre:0,vOnce:0},parent:null,currentNode:e,childIndex:0,inVOnce:!1,helper(e){const t=M.helpers.get(e)||0;return M.helpers.set(e,t+1),e},removeHelper(e){const t=M.helpers.get(e);if(t){const n=t-1;n?M.helpers.set(e,n):M.helpers.delete(e)}},helperString:e=>`_${me[M.helper(e)]}`,replaceNode(e){M.parent.children[M.childIndex]=M.currentNode=e},removeNode(e){const t=e?M.parent.children.indexOf(e):M.currentNode?M.childIndex:-1;e&&e!==M.currentNode?M.childIndex>t&&(M.childIndex--,M.onNodeRemoved()):(M.currentNode=null,M.onNodeRemoved()),M.parent.children.splice(t,1)},onNodeRemoved:()=>{},addIdentifiers(e){},removeIdentifiers(e){},hoist(e){m(e)&&(e=_e(e)),M.hoists.push(e);const t=_e(`_hoisted_${M.hoists.length}`,!1,e.loc,2);return t.hoisted=e,t},cache:(e,t=!1)=>Ce(M.cached++,e,t)};return M.filters=new Set,M}function Gt(e,t){const n=Jt(e,t);zt(e,n),t.hoistStatic&&At(e,n),t.ssr||function(e,t){const{helper:n}=t,{children:o}=e;if(1===o.length){const n=o[0];if(Dt(e,n)&&n.codegenNode){const o=n.codegenNode;13===o.type&&it(o,t),e.codegenNode=o}else e.codegenNode=n}else if(o.length>1){let o=64;e.codegenNode=Se(t,n(M),void 0,e.children,o+"",void 0,void 0,!0,void 0,!1)}}(e,n),e.helpers=[...n.helpers.keys()],e.components=[...n.components],e.directives=[...n.directives],e.imports=n.imports,e.hoists=n.hoists,e.temps=n.temps,e.cached=n.cached,e.filters=[...n.filters]}function zt(e,t){t.currentNode=e;const{nodeTransforms:n}=t,o=[];for(let s=0;s<n.length;s++){const r=n[s](e,t);if(r&&(h(r)?o.push(...r):o.push(r)),!t.currentNode)return;e=t.currentNode}switch(e.type){case 3:t.ssr||t.helper(F);break;case 5:t.ssr||t.helper(q);break;case 9:for(let n=0;n<e.branches.length;n++)zt(e.branches[n],t);break;case 10:case 11:case 1:case 0:!function(e,t){let n=0;const o=()=>{n--};for(;n<e.children.length;n++){const r=e.children[n];m(r)||(t.parent=e,t.childIndex=n,t.onNodeRemoved=o,zt(r,t))}}(e,t)}t.currentNode=e;let r=o.length;for(;r--;)o[r]()}function Yt(e,t){const n=m(e)?t=>t===e:t=>e.test(t);return(e,o)=>{if(1===e.type){const{props:r}=e;if(3===e.tagType&&r.some(Ye))return;const s=[];for(let i=0;i<r.length;i++){const c=r[i];if(7===c.type&&n(c.name)){r.splice(i,1),i--;const n=t(e,c,o);n&&s.push(n)}}return s}}}const Zt="/*#__PURE__*/",qt=e=>`${me[e]}: _${me[e]}`;function Xt(e,t={}){const n=function(e,{mode:t="function",prefixIdentifiers:n="module"===t,sourceMap:o=!1,filename:r="template.vue.html",scopeId:s=null,optimizeImports:i=!1,runtimeGlobalName:c="Vue",runtimeModuleName:l="vue",ssrRuntimeModuleName:a="vue/server-renderer",ssr:p=!1,isTS:u=!1,inSSR:f=!1}){const d={mode:t,prefixIdentifiers:n,sourceMap:o,filename:r,scopeId:s,optimizeImports:i,runtimeGlobalName:c,runtimeModuleName:l,ssrRuntimeModuleName:a,ssr:p,isTS:u,inSSR:f,source:e.loc.source,code:"",column:1,line:1,offset:0,indentLevel:0,pure:!1,map:void 0,helper:e=>`_${me[e]}`,push(e,t){d.code+=e},indent(){h(++d.indentLevel)},deindent(e=!1){e?--d.indentLevel:h(--d.indentLevel)},newline(){h(d.indentLevel)}};function h(e){d.push("\n"+" ".repeat(e))}return d}(e,t);t.onContextCreated&&t.onContextCreated(n);const{mode:o,push:r,prefixIdentifiers:s,indent:i,deindent:c,newline:l,ssr:a}=n,p=e.helpers.length>0,u=!s&&"module"!==o;!function(e,t){const{push:n,newline:o,runtimeGlobalName:r}=t,s=r;if(e.helpers.length>0&&(n(`const _Vue = ${s}\n`),e.hoists.length)){n(`const { ${[D,B,F,j,H].filter((t=>e.helpers.includes(t))).map(qt).join(", ")} } = _Vue\n`)}(function(e,t){if(!e.length)return;t.pure=!0;const{push:n,newline:o}=t;o();for(let r=0;r<e.length;r++){const s=e[r];s&&(n(`const _hoisted_${r+1} = `),nn(s,t),o())}t.pure=!1})(e.hoists,t),o(),n("return ")}(e,n);if(r(`function ${a?"ssrRender":"render"}(${(a?["_ctx","_push","_parent","_attrs"]:["_ctx","_cache"]).join(", ")}) {`),i(),u&&(r("with (_ctx) {"),i(),p&&(r(`const { ${e.helpers.map(qt).join(", ")} } = _Vue`),r("\n"),l())),e.components.length&&(Qt(e.components,"component",n),(e.directives.length||e.temps>0)&&l()),e.directives.length&&(Qt(e.directives,"directive",n),e.temps>0&&l()),e.filters&&e.filters.length&&(l(),Qt(e.filters,"filter",n),l()),e.temps>0){r("let ");for(let t=0;t<e.temps;t++)r(`${t>0?", ":""}_temp${t}`)}return(e.components.length||e.directives.length||e.temps)&&(r("\n"),l()),a||r("return "),e.codegenNode?nn(e.codegenNode,n):r("null"),u&&(c(),r("}")),c(),r("}"),{ast:e,code:n.code,preamble:"",map:n.map?n.map.toJSON():void 0}}function Qt(e,t,{helper:n,push:o,newline:r,isTS:s}){const i=n("filter"===t?J:"component"===t?W:U);for(let c=0;c<e.length;c++){let n=e[c];const l=n.endsWith("__self");l&&(n=n.slice(0,-6)),o(`const ${rt(n,t)} = ${i}(${JSON.stringify(n)}${l?", true":""})${s?"!":""}`),c<e.length-1&&r()}}function en(e,t){const n=e.length>3||!1;t.push("["),n&&t.indent(),tn(e,t,n),n&&t.deindent(),t.push("]")}function tn(e,t,n=!1,o=!0){const{push:r,newline:s}=t;for(let i=0;i<e.length;i++){const c=e[i];m(c)?r(c):h(c)?en(c,t):nn(c,t),i<e.length-1&&(n?(o&&r(","),s()):o&&r(", "))}}function nn(e,t){if(m(e))t.push(e);else if(g(e))t.push(t.helper(e));else switch(e.type){case 1:case 9:case 11:case 12:nn(e.codegenNode,t);break;case 2:!function(e,t){t.push(JSON.stringify(e.content),e)}(e,t);break;case 4:on(e,t);break;case 5:!function(e,t){const{push:n,helper:o,pure:r}=t;r&&n(Zt);n(`${o(q)}(`),nn(e.content,t),n(")")}(e,t);break;case 8:rn(e,t);break;case 3:!function(e,t){const{push:n,helper:o,pure:r}=t;r&&n(Zt);n(`${o(F)}(${JSON.stringify(e.content)})`,e)}(e,t);break;case 13:!function(e,t){const{push:n,helper:o,pure:r}=t,{tag:s,props:i,children:c,patchFlag:l,dynamicProps:a,directives:p,isBlock:u,disableTracking:f,isComponent:d}=e;p&&n(o(G)+"(");u&&n(`(${o(L)}(${f?"true":""}), `);r&&n(Zt);const h=u?Qe(t.inSSR,d):Xe(t.inSSR,d);n(o(h)+"(",e),tn(function(e){let t=e.length;for(;t--&&null==e[t];);return e.slice(0,t+1).map((e=>e||"null"))}([s,i,c,l,a]),t),n(")"),u&&n(")");p&&(n(", "),nn(p,t),n(")"))}(e,t);break;case 14:!function(e,t){const{push:n,helper:o,pure:r}=t,s=m(e.callee)?e.callee:o(e.callee);r&&n(Zt);n(s+"(",e),tn(e.arguments,t),n(")")}(e,t);break;case 15:!function(e,t){const{push:n,indent:o,deindent:r,newline:s}=t,{properties:i}=e;if(!i.length)return void n("{}",e);const c=i.length>1||!1;n(c?"{":"{ "),c&&o();for(let l=0;l<i.length;l++){const{key:e,value:o}=i[l];sn(e,t),n(": "),nn(o,t),l<i.length-1&&(n(","),s())}c&&r(),n(c?"}":" }")}(e,t);break;case 17:!function(e,t){en(e.elements,t)}(e,t);break;case 18:!function(e,t){const{push:n,indent:o,deindent:r}=t,{params:s,returns:i,body:c,newline:l,isSlot:a}=e;a&&n(`_${me[pe]}(`);n("(",e),h(s)?tn(s,t):s&&nn(s,t);n(") => "),(l||c)&&(n("{"),o());i?(l&&n("return "),h(i)?en(i,t):nn(i,t)):c&&nn(c,t);(l||c)&&(r(),n("}"));a&&(e.isNonScopedSlot&&n(", undefined, true"),n(")"))}(e,t);break;case 19:!function(e,t){const{test:n,consequent:o,alternate:r,newline:s}=e,{push:i,indent:c,deindent:l,newline:a}=t;if(4===n.type){const e=!$e(n.content);e&&i("("),on(n,t),e&&i(")")}else i("("),nn(n,t),i(")");s&&c(),t.indentLevel++,s||i(" "),i("? "),nn(o,t),t.indentLevel--,s&&a(),s||i(" "),i(": ");const p=19===r.type;p||t.indentLevel++;nn(r,t),p||t.indentLevel--;s&&l(!0)}(e,t);break;case 20:!function(e,t){const{push:n,helper:o,indent:r,deindent:s,newline:i}=t;n(`_cache[${e.index}] || (`),e.isVNode&&(r(),n(`${o(ce)}(-1),`),i());n(`_cache[${e.index}] = `),nn(e.value,t),e.isVNode&&(n(","),i(),n(`${o(ce)}(1),`),i(),n(`_cache[${e.index}]`),s());n(")")}(e,t);break;case 21:tn(e.body,t,!0,!1)}}function on(e,t){const{content:n,isStatic:o}=e;t.push(o?JSON.stringify(n):n,e)}function rn(e,t){for(let n=0;n<e.children.length;n++){const o=e.children[n];m(o)?t.push(o):nn(o,t)}}function sn(e,t){const{push:n}=t;if(8===e.type)n("["),rn(e,t),n("]");else if(e.isStatic){n($e(e.content)?e.content:JSON.stringify(e.content),e)}else n(`[${e.content}]`,e)}function cn(e,t=[]){switch(e.type){case"Identifier":t.push(e);break;case"MemberExpression":let n=e;for(;"MemberExpression"===n.type;)n=n.object;t.push(n);break;case"ObjectPattern":for(const o of e.properties)cn("RestElement"===o.type?o.argument:o.value,t);break;case"ArrayPattern":e.elements.forEach((e=>{e&&cn(e,t)}));break;case"RestElement":cn(e.argument,t);break;case"AssignmentPattern":cn(e.left,t)}return t}const ln=e=>e&&("ObjectProperty"===e.type||"ObjectMethod"===e.type)&&!e.computed;function an(e,t,n=!1,o=!1,r=Object.create(t.identifiers)){return e}const pn=Yt(/^(if|else|else-if)$/,((e,t,n)=>un(e,t,n,((e,t,o)=>{const r=n.parent.children;let s=r.indexOf(e),i=0;for(;s-- >=0;){const e=r[s];e&&9===e.type&&(i+=e.branches.length)}return()=>{if(o)e.codegenNode=dn(t,i,n);else{const o=function(e){for(;;)if(19===e.type){if(19!==e.alternate.type)return e;e=e.alternate}else 20===e.type&&(e=e.value)}(e.codegenNode);o.alternate=dn(t,i+e.branches.length-1,n)}}}))));function un(e,t,n,o){if(!("else"===t.name||t.exp&&t.exp.content.trim())){t.exp=_e("true",!1,t.exp?t.exp.loc:e.loc)}if("if"===t.name){const r=fn(e,t),s={type:9,loc:e.loc,branches:[r]};if(n.replaceNode(s),o)return o(s,r,!0)}else{const r=n.parent.children;let s=r.indexOf(e);for(;s-- >=-1;){const i=r[s];if(i&&3===i.type)n.removeNode(i);else{if(!i||2!==i.type||i.content.trim().length){if(i&&9===i.type){n.removeNode();const r=fn(e,t);i.branches.push(r);const s=o&&o(i,r,!1);zt(r,n),s&&s(),n.currentNode=null}break}n.removeNode(i)}}}}function fn(e,t){const n=3===e.tagType;return{type:10,loc:e.loc,condition:"else"===t.name?void 0:t.exp,children:n&&!Ke(e,"for")?e.children:[e],userKey:Ue(e,"key"),isTemplateIf:n}}function dn(e,t,n){return e.condition?Oe(e.condition,hn(e,t,n),Te(n.helper(F),['""',"true"])):hn(e,t,n)}function hn(e,t,n){const{helper:o}=n,r=Ne("key",_e(`${t}`,!1,ye,2)),{children:s}=e,i=s[0];if(1!==s.length||1!==i.type){if(1===s.length&&11===i.type){const e=i.codegenNode;return nt(e,r,n),e}{let t=64;return Se(n,o(M),Ee([r]),s,t+"",void 0,void 0,!0,!1,!1,e.loc)}}{const e=i.codegenNode,t=st(e);return 13===t.type&&it(t,n),nt(t,r,n),e}}const mn=Yt("for",((e,t,n)=>{const{helper:o,removeHelper:r}=n;return gn(e,t,n,(t=>{const s=Te(o(z),[t.source]),i=Ze(e),c=Ke(e,"memo"),l=Ue(e,"key"),a=l&&(6===l.type?_e(l.value.content,!0):l.exp),p=l?Ne("key",a):null,u=4===t.source.type&&t.source.constType>0,f=u?64:l?128:256;return t.codegenNode=Se(n,o(M),void 0,s,f+"",void 0,void 0,!0,!u,!1,e.loc),()=>{let l;const{children:f}=t,d=1!==f.length||1!==f[0].type,h=qe(e)?e:i&&1===e.children.length&&qe(e.children[0])?e.children[0]:null;if(h?(l=h.codegenNode,i&&p&&nt(l,p,n)):d?l=Se(n,o(M),p?Ee([p]):void 0,e.children,"64",void 0,void 0,!0,void 0,!1):(l=f[0].codegenNode,i&&p&&nt(l,p,n),l.isBlock!==!u&&(l.isBlock?(r(L),r(Qe(n.inSSR,l.isComponent))):r(Xe(n.inSSR,l.isComponent))),l.isBlock=!u,l.isBlock?(o(L),o(Qe(n.inSSR,l.isComponent))):o(Xe(n.inSSR,l.isComponent))),c){const e=ke(Nn(t.parseResult,[_e("_cached")]));e.body=Ie([xe(["const _memo = (",c.exp,")"]),xe(["if (_cached",...a?[" && _cached.key === ",a]:[],` && ${n.helperString(he)}(_cached, _memo)) return _cached`]),xe(["const _item = ",l]),_e("_item.memo = _memo"),_e("return _item")]),s.arguments.push(e,_e("_cache"),_e(String(n.cached++)))}else s.arguments.push(ke(Nn(t.parseResult),l,!0))}}))}));function gn(e,t,n,o){if(!t.exp)return;const r=bn(t.exp);if(!r)return;const{scopes:s}=n,{source:i,value:c,key:l,index:a}=r,p={type:11,loc:t.loc,source:i,valueAlias:c,keyAlias:l,objectIndexAlias:a,parseResult:r,children:Ze(e)?e.children:[e]};n.replaceNode(p),s.vFor++;const u=o&&o(p);return()=>{s.vFor--,u&&u()}}const yn=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,vn=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,Sn=/^\(|\)$/g;function bn(e,t){const n=e.loc,o=e.content,r=o.match(yn);if(!r)return;const[,s,i]=r,c={source:En(n,i.trim(),o.indexOf(i,s.length)),value:void 0,key:void 0,index:void 0};let l=s.trim().replace(Sn,"").trim();const a=s.indexOf(l),p=l.match(vn);if(p){l=l.replace(vn,"").trim();const e=p[1].trim();let t;if(e&&(t=o.indexOf(e,a+l.length),c.key=En(n,e,t)),p[2]){const r=p[2].trim();r&&(c.index=En(n,r,o.indexOf(r,c.key?t+e.length:a+l.length)))}}return l&&(c.value=En(n,l,a)),c}function En(e,t,n){return _e(t,!1,je(e,n,t.length))}function Nn({value:e,key:t,index:n},o=[]){return function(e){let t=e.length;for(;t--&&!e[t];);return e.slice(0,t+1).map(((e,t)=>e||_e("_".repeat(t+1),!1)))}([e,t,n,...o])}const _n=_e("undefined",!1),xn=(e,t)=>{if(1===e.type&&(1===e.tagType||3===e.tagType)){const n=Ke(e,"slot");if(n)return t.scopes.vSlot++,()=>{t.scopes.vSlot--}}},Tn=(e,t,n)=>ke(e,t,!1,!0,t.length?t[0].loc:n);function kn(e,t,n=Tn){t.helper(pe);const{children:o,loc:r}=e,s=[],i=[];let c=t.scopes.vSlot>0||t.scopes.vFor>0;const l=Ke(e,"slot",!0);if(l){const{arg:e,exp:t}=l;e&&!Me(e)&&(c=!0),s.push(Ne(e||_e("default",!0),n(t,o,r)))}let a=!1,p=!1;const u=[],f=new Set;let d=0;for(let g=0;g<o.length;g++){const e=o[g];let r;if(!Ze(e)||!(r=Ke(e,"slot",!0))){3!==e.type&&u.push(e);continue}if(l)break;a=!0;const{children:h,loc:m}=e,{arg:y=_e("default",!0),exp:v}=r;let S;Me(y)?S=y?y.content:"default":c=!0;const b=n(v,h,m);let E,N,_;if(E=Ke(e,"if"))c=!0,i.push(Oe(E.exp,On(y,b,d++),_n));else if(N=Ke(e,/^else(-if)?$/,!0)){let e,t=g;for(;t--&&(e=o[t],3===e.type););if(e&&Ze(e)&&Ke(e,"if")){o.splice(g,1),g--;let e=i[i.length-1];for(;19===e.alternate.type;)e=e.alternate;e.alternate=N.exp?Oe(N.exp,On(y,b,d++),_n):On(y,b,d++)}}else if(_=Ke(e,"for")){c=!0;const e=_.parseResult||bn(_.exp);e&&i.push(Te(t.helper(z),[e.source,ke(Nn(e),On(y,b),!0)]))}else{if(S){if(f.has(S))continue;f.add(S),"default"===S&&(p=!0)}s.push(Ne(y,b))}}if(!l){const e=(e,o)=>{const s=n(e,o,r);return t.compatConfig&&(s.isNonScopedSlot=!0),Ne("default",s)};a?u.length&&u.some((e=>In(e)))&&(p||s.push(e(void 0,u))):s.push(e(void 0,o))}const h=c?2:Cn(e.children)?3:1;let m=Ee(s.concat(Ne("_",_e(h+"",!1))),r);return i.length&&(m=Te(t.helper(Z),[m,be(i)])),{slots:m,hasDynamicSlots:c}}function On(e,t,n){const o=[Ne("name",e),Ne("fn",t)];return null!=n&&o.push(Ne("key",_e(String(n),!0))),Ee(o)}function Cn(e){for(let t=0;t<e.length;t++){const n=e[t];switch(n.type){case 1:if(2===n.tagType||Cn(n.children))return!0;break;case 9:if(Cn(n.branches))return!0;break;case 10:case 11:if(Cn(n.children))return!0}}return!1}function In(e){return 2!==e.type&&12!==e.type||(2===e.type?!!e.content.trim():In(e.content))}const Mn=new WeakMap,Rn=(e,t)=>function(){if(1!==(e=t.currentNode).type||0!==e.tagType&&1!==e.tagType)return;const{tag:n,props:o}=e,r=1===e.tagType;let s=r?Pn(e,t):`"${n}"`;const i=y(s)&&s.callee===K;let c,l,a,p,u,f,d=0,h=i||s===R||s===P||!r&&("svg"===n||"foreignObject"===n);if(o.length>0){const n=wn(e,t,void 0,r,i);c=n.props,d=n.patchFlag,u=n.dynamicPropNames;const o=n.directives;f=o&&o.length?be(o.map((e=>Vn(e,t)))):void 0,n.shouldUseBlock&&(h=!0)}if(e.children.length>0){s===w&&(h=!0,d|=1024);if(r&&s!==R&&s!==w){const{slots:n,hasDynamicSlots:o}=kn(e,t);l=n,o&&(d|=1024)}else if(1===e.children.length&&s!==R){const n=e.children[0],o=n.type,r=5===o||8===o;r&&0===Ft(n,t)&&(d|=1),l=r||2===o?n:e.children}else l=e.children}0!==d&&(a=String(d),u&&u.length&&(p=function(e){let t="[";for(let n=0,o=e.length;n<o;n++)t+=JSON.stringify(e[n]),n<o-1&&(t+=", ");return t+"]"}(u))),e.codegenNode=Se(t,s,c,l,a,p,f,!!h,!1,r,e.loc)};function Pn(e,t,n=!1){let{tag:o}=e;const r=An(o),s=Ue(e,"is");if(s)if(r||at("COMPILER_IS_ON_ELEMENT",t)){const e=6===s.type?s.value&&_e(s.value.content,!0):s.exp;if(e)return Te(t.helper(K),[e])}else 6===s.type&&s.value.content.startsWith("vue:")&&(o=s.value.content.slice(4));const i=!r&&Ke(e,"is");if(i&&i.exp)return Te(t.helper(K),[i.exp]);const c=Pe(o)||t.isBuiltInComponent(o);return c?(n||t.helper(c),c):(t.helper(W),t.components.add(o),rt(o,"component"))}function wn(e,t,n=e.props,o,r,s=!1){const{tag:i,loc:c,children:l}=e;let a=[];const p=[],u=[],d=l.length>0;let h=!1,m=0,y=!1,b=!1,E=!1,N=!1,_=!1,x=!1;const T=[],k=e=>{a.length&&(p.push(Ee($n(a),c)),a=[]),e&&p.push(e)},O=({key:e,value:n})=>{if(Me(e)){const s=e.content,i=f(s);if(!i||o&&!r||"onclick"===s.toLowerCase()||"onUpdate:modelValue"===s||v(s)||(N=!0),i&&v(s)&&(x=!0),20===n.type||(4===n.type||8===n.type)&&Ft(n,t)>0)return;"ref"===s?y=!0:"class"===s?b=!0:"style"===s?E=!0:"key"===s||T.includes(s)||T.push(s),!o||"class"!==s&&"style"!==s||T.includes(s)||T.push(s)}else _=!0};for(let f=0;f<n.length;f++){const r=n[f];if(6===r.type){const{loc:e,name:n,value:o}=r;let s=!0;if("ref"===n&&(y=!0,t.scopes.vFor>0&&a.push(Ne(_e("ref_for",!0),_e("true")))),"is"===n&&(An(i)||o&&o.content.startsWith("vue:")||at("COMPILER_IS_ON_ELEMENT",t)))continue;a.push(Ne(_e(n,!0,je(e,0,n.length)),_e(o?o.content:"",s,o?o.loc:e)))}else{const{name:n,arg:l,exp:f,loc:m}=r,y="bind"===n,v="on"===n;if("slot"===n)continue;if("once"===n||"memo"===n)continue;if("is"===n||y&&Je(l,"is")&&(An(i)||at("COMPILER_IS_ON_ELEMENT",t)))continue;if(v&&s)continue;if((y&&Je(l,"key")||v&&d&&Je(l,"vue:before-update"))&&(h=!0),y&&Je(l,"ref")&&t.scopes.vFor>0&&a.push(Ne(_e("ref_for",!0),_e("true"))),!l&&(y||v)){if(_=!0,f)if(y){if(k(),at("COMPILER_V_BIND_OBJECT_ORDER",t)){p.unshift(f);continue}p.push(f)}else k({type:14,loc:m,callee:t.helper(oe),arguments:o?[f]:[f,"true"]});continue}const b=t.directiveTransforms[n];if(b){const{props:n,needRuntime:o}=b(r,e,t);!s&&n.forEach(O),v&&l&&!Me(l)?k(Ee(n,c)):a.push(...n),o&&(u.push(r),g(o)&&Mn.set(r,o))}else S(n)||(u.push(r),d&&(h=!0))}}let C;if(p.length?(k(),C=p.length>1?Te(t.helper(X),p,c):p[0]):a.length&&(C=Ee($n(a),c)),_?m|=16:(b&&!o&&(m|=2),E&&!o&&(m|=4),T.length&&(m|=8),N&&(m|=32)),h||0!==m&&32!==m||!(y||x||u.length>0)||(m|=512),!t.inSSR&&C)switch(C.type){case 15:let e=-1,n=-1,o=!1;for(let t=0;t<C.properties.length;t++){const r=C.properties[t].key;Me(r)?"class"===r.content?e=t:"style"===r.content&&(n=t):r.isHandlerKey||(o=!0)}const r=C.properties[e],s=C.properties[n];o?C=Te(t.helper(te),[C]):(r&&!Me(r.value)&&(r.value=Te(t.helper(Q),[r.value])),s&&(E||4===s.value.type&&"["===s.value.content.trim()[0]||17===s.value.type)&&(s.value=Te(t.helper(ee),[s.value])));break;case 14:break;default:C=Te(t.helper(te),[Te(t.helper(ne),[C])])}return{props:C,directives:u,patchFlag:m,dynamicPropNames:T,shouldUseBlock:h}}function $n(e){const t=new Map,n=[];for(let o=0;o<e.length;o++){const r=e[o];if(8===r.key.type||!r.key.isStatic){n.push(r);continue}const s=r.key.content,i=t.get(s);i?("style"===s||"class"===s||f(s))&&Ln(i,r):(t.set(s,r),n.push(r))}return n}function Ln(e,t){17===e.value.type?e.value.elements.push(t.value):e.value=be([e.value,t.value],e.loc)}function Vn(e,t){const n=[],o=Mn.get(e);o?n.push(t.helperString(o)):(t.helper(U),t.directives.add(e.name),n.push(rt(e.name,"directive")));const{loc:r}=e;if(e.exp&&n.push(e.exp),e.arg&&(e.exp||n.push("void 0"),n.push(e.arg)),Object.keys(e.modifiers).length){e.arg||(e.exp||n.push("void 0"),n.push("void 0"));const t=_e("true",!1,r);n.push(Ee(e.modifiers.map((e=>Ne(e,t))),r))}return be(n,e.loc)}function An(e){return"component"===e||"Component"===e}const Dn=(e,t)=>{if(qe(e)){const{children:n,loc:o}=e,{slotName:r,slotProps:s}=Bn(e,t),i=[t.prefixIdentifiers?"_ctx.$slots":"$slots",r,"{}","undefined","true"];let c=2;s&&(i[2]=s,c=3),n.length&&(i[3]=ke([],n,!1,!1,o),c=4),t.scopeId&&!t.slotted&&(c=5),i.splice(c),e.codegenNode=Te(t.helper(Y),i,o)}};function Bn(e,t){let n,o='"default"';const r=[];for(let s=0;s<e.props.length;s++){const t=e.props[s];6===t.type?t.value&&("name"===t.name?o=JSON.stringify(t.value.content):(t.name=N(t.name),r.push(t))):"bind"===t.name&&Je(t.arg,"name")?t.exp&&(o=t.exp):("bind"===t.name&&t.arg&&Me(t.arg)&&(t.arg.content=N(t.arg.content)),r.push(t))}if(r.length>0){const{props:o,directives:s}=wn(e,t,r,!1,!1);n=o}return{slotName:o,slotProps:n}}const Fn=/^\s*([\w$_]+|(async\s*)?\([^)]*?\))\s*(:[^=]+)?=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/,jn=(e,t,n,o)=>{const{loc:r,modifiers:s,arg:i}=e;let c;if(4===i.type)if(i.isStatic){let e=i.content;e.startsWith("vue:")&&(e=`vnode-${e.slice(4)}`);c=_e(0!==t.tagType||e.startsWith("vnode")||!/[A-Z]/.test(e)?k(N(e)):`on:${e}`,!0,i.loc)}else c=xe([`${n.helperString(ie)}(`,i,")"]);else c=i,c.children.unshift(`${n.helperString(ie)}(`),c.children.push(")");let l=e.exp;l&&!l.content.trim()&&(l=void 0);let a=n.cacheHandlers&&!l&&!n.inVOnce;if(l){const e=Fe(l.content),t=!(e||Fn.test(l.content)),n=l.content.includes(";");(t||a&&e)&&(l=xe([`${t?"$event":"(...args)"} => ${n?"{":"("}`,l,n?"}":")"]))}let p={props:[Ne(c,l||_e("() => {}",!1,r))]};return o&&(p=o(p)),a&&(p.props[0].value=n.cache(p.props[0].value)),p.props.forEach((e=>e.key.isHandlerKey=!0)),p},Hn=(e,t,n)=>{const{exp:o,modifiers:r,loc:s}=e,i=e.arg;return 4!==i.type?(i.children.unshift("("),i.children.push(') || ""')):i.isStatic||(i.content=`${i.content} || ""`),r.includes("camel")&&(4===i.type?i.content=i.isStatic?N(i.content):`${n.helperString(re)}(${i.content})`:(i.children.unshift(`${n.helperString(re)}(`),i.children.push(")"))),n.inSSR||(r.includes("prop")&&Wn(i,"."),r.includes("attr")&&Wn(i,"^")),!o||4===o.type&&!o.content.trim()?{props:[Ne(i,_e("",!0,s))]}:{props:[Ne(i,o)]}},Wn=(e,t)=>{4===e.type?e.content=e.isStatic?t+e.content:`\`${t}\${${e.content}}\``:(e.children.unshift(`'${t}' + (`),e.children.push(")"))},Kn=(e,t)=>{if(0===e.type||1===e.type||11===e.type||10===e.type)return()=>{const n=e.children;let o,r=!1;for(let e=0;e<n.length;e++){const t=n[e];if(ze(t)){r=!0;for(let r=e+1;r<n.length;r++){const s=n[r];if(!ze(s)){o=void 0;break}o||(o=n[e]=xe([t],t.loc)),o.children.push(" + ",s),n.splice(r,1),r--}}}if(r&&(1!==n.length||0!==e.type&&(1!==e.type||0!==e.tagType||e.props.find((e=>7===e.type&&!t.directiveTransforms[e.name]))||"template"===e.tag)))for(let e=0;e<n.length;e++){const o=n[e];if(ze(o)||8===o.type){const r=[];2===o.type&&" "===o.content||r.push(o),t.ssr||0!==Ft(o,t)||r.push("1"),n[e]={type:12,content:o,loc:o.loc,codegenNode:Te(t.helper(j),r)}}}}},Un=new WeakSet,Jn=(e,t)=>{if(1===e.type&&Ke(e,"once",!0)){if(Un.has(e)||t.inVOnce)return;return Un.add(e),t.inVOnce=!0,t.helper(ce),()=>{t.inVOnce=!1;const e=t.currentNode;e.codegenNode&&(e.codegenNode=t.cache(e.codegenNode,!0))}}},Gn=(e,t,n)=>{const{exp:o,arg:r}=e;if(!o)return zn();const s=o.loc.source,i=4===o.type?o.content:s;if(!i.trim()||!Fe(i))return zn();const c=r||_e("modelValue",!0),l=r?Me(r)?`onUpdate:${r.content}`:xe(['"onUpdate:" + ',r]):"onUpdate:modelValue";let a;a=xe([`${n.isTS?"($event: any)":"$event"} => ((`,o,") = $event)"]);const p=[Ne(c,e.exp),Ne(l,a)];if(e.modifiers.length&&1===t.tagType){const t=e.modifiers.map((e=>($e(e)?e:JSON.stringify(e))+": true")).join(", "),n=r?Me(r)?`${r.content}Modifiers`:xe([r,' + "Modifiers"']):"modelModifiers";p.push(Ne(n,_e(`{ ${t} }`,!1,e.loc,2)))}return zn(p)};function zn(e=[]){return{props:e}}const Yn=/[\w).+\-_$\]]/,Zn=(e,t)=>{at("COMPILER_FILTER",t)&&(5===e.type&&qn(e.content,t),1===e.type&&e.props.forEach((e=>{7===e.type&&"for"!==e.name&&e.exp&&qn(e.exp,t)})))};function qn(e,t){if(4===e.type)Xn(e,t);else for(let n=0;n<e.children.length;n++){const o=e.children[n];"object"==typeof o&&(4===o.type?Xn(o,t):8===o.type?qn(e,t):5===o.type&&qn(o.content,t))}}function Xn(e,t){const n=e.content;let o,r,s,i,c=!1,l=!1,a=!1,p=!1,u=0,f=0,d=0,h=0,m=[];for(s=0;s<n.length;s++)if(r=o,o=n.charCodeAt(s),c)39===o&&92!==r&&(c=!1);else if(l)34===o&&92!==r&&(l=!1);else if(a)96===o&&92!==r&&(a=!1);else if(p)47===o&&92!==r&&(p=!1);else if(124!==o||124===n.charCodeAt(s+1)||124===n.charCodeAt(s-1)||u||f||d){switch(o){case 34:l=!0;break;case 39:c=!0;break;case 96:a=!0;break;case 40:d++;break;case 41:d--;break;case 91:f++;break;case 93:f--;break;case 123:u++;break;case 125:u--}if(47===o){let e,t=s-1;for(;t>=0&&(e=n.charAt(t)," "===e);t--);e&&Yn.test(e)||(p=!0)}}else void 0===i?(h=s+1,i=n.slice(0,s).trim()):g();function g(){m.push(n.slice(h,s).trim()),h=s+1}if(void 0===i?i=n.slice(0,s).trim():0!==h&&g(),m.length){for(s=0;s<m.length;s++)i=Qn(i,m[s],t);e.content=i}}function Qn(e,t,n){n.helper(J);const o=t.indexOf("(");if(o<0)return n.filters.add(t),`${rt(t,"filter")}(${e})`;{const r=t.slice(0,o),s=t.slice(o+1);return n.filters.add(r),`${rt(r,"filter")}(${e}${")"!==s?","+s:s}`}}const eo=new WeakSet,to=(e,t)=>{if(1===e.type){const n=Ke(e,"memo");if(!n||eo.has(e))return;return eo.add(e),()=>{const o=e.codegenNode||t.currentNode.codegenNode;o&&13===o.type&&(1!==e.tagType&&it(o,t),e.codegenNode=Te(t.helper(de),[n.exp,ke(void 0,o),"_cache",String(t.cached++)]))}}};function no(e){return[[Jn,pn,to,mn,Zn,Dn,Rn,xn,Kn],{on:jn,bind:Hn,model:Gn}]}function oo(e,t={}){const n=t.onError||O,o="module"===t.mode;!0===t.prefixIdentifiers?n(I(46)):o&&n(I(47));t.cacheHandlers&&n(I(48)),t.scopeId&&!o&&n(I(49));const r=m(e)?ht(e,t):e,[s,i]=no();return Gt(r,d({},t,{prefixIdentifiers:false,nodeTransforms:[...s,...t.nodeTransforms||[]],directiveTransforms:d({},i,t.directiveTransforms||{})})),Xt(r,d({},t,{prefixIdentifiers:false}))}const ro=()=>({props:[]}),so=Symbol(""),io=Symbol(""),co=Symbol(""),lo=Symbol(""),ao=Symbol(""),po=Symbol(""),uo=Symbol(""),fo=Symbol(""),ho=Symbol(""),mo=Symbol("");let go;ge({[so]:"vModelRadio",[io]:"vModelCheckbox",[co]:"vModelText",[lo]:"vModelSelect",[ao]:"vModelDynamic",[po]:"withModifiers",[uo]:"withKeys",[fo]:"vShow",[ho]:"Transition",[mo]:"TransitionGroup"});const yo=t("style,iframe,script,noscript",!0),vo={isVoidTag:c,isNativeTag:e=>s(e)||i(e),isPreTag:e=>"pre"===e,decodeEntities:function(e,t=!1){return go||(go=document.createElement("div")),t?(go.innerHTML=`<div foo="${e.replace(/"/g,"&quot;")}">`,go.children[0].getAttribute("foo")):(go.innerHTML=e,go.textContent)},isBuiltInComponent:e=>Re(e,"Transition")?ho:Re(e,"TransitionGroup")?mo:void 0,getNamespace(e,t){let n=t?t.ns:0;if(t&&2===n)if("annotation-xml"===t.tag){if("svg"===e)return 1;t.props.some((e=>6===e.type&&"encoding"===e.name&&null!=e.value&&("text/html"===e.value.content||"application/xhtml+xml"===e.value.content)))&&(n=0)}else/^m(?:[ions]|text)$/.test(t.tag)&&"mglyph"!==e&&"malignmark"!==e&&(n=0);else t&&1===n&&("foreignObject"!==t.tag&&"desc"!==t.tag&&"title"!==t.tag||(n=0));if(0===n){if("svg"===e)return 1;if("math"===e)return 2}return n},getTextMode({tag:e,ns:t}){if(0===t){if("textarea"===e||"title"===e)return 1;if(yo(e))return 2}return 0}},So=e=>{1===e.type&&e.props.forEach(((t,n)=>{6===t.type&&"style"===t.name&&t.value&&(e.props[n]={type:7,name:"bind",arg:_e("style",!0,t.loc),exp:bo(t.value.content,t.loc),modifiers:[],loc:t.loc})}))},bo=(e,t)=>{const s=function(e){const t={};return e.replace(r,"").split(n).forEach((e=>{if(e){const n=e.split(o);n.length>1&&(t[n[0].trim()]=n[1].trim())}})),t}(e);return _e(JSON.stringify(s),!1,t,3)};function Eo(e,t){return I(e,t)}const No=t("passive,once,capture"),_o=t("stop,prevent,self,ctrl,shift,alt,meta,exact,middle"),xo=t("left,right"),To=t("onkeyup,onkeydown,onkeypress",!0),ko=(e,t)=>Me(e)&&"onclick"===e.content.toLowerCase()?_e(t,!0):4!==e.type?xe(["(",e,`) === "onClick" ? "${t}" : (`,e,")"]):e,Oo=(e,t)=>{1!==e.type||0!==e.tagType||"script"!==e.tag&&"style"!==e.tag||t.removeNode()},Co=[So],Io={cloak:ro,html:(e,t,n)=>{const{exp:o,loc:r}=e;return t.children.length&&(t.children.length=0),{props:[Ne(_e("innerHTML",!0,r),o||_e("",!0))]}},text:(e,t,n)=>{const{exp:o,loc:r}=e;return t.children.length&&(t.children.length=0),{props:[Ne(_e("textContent",!0),o?Ft(o,n)>0?o:Te(n.helperString(q),[o],r):_e("",!0))]}},model:(e,t,n)=>{const o=Gn(e,t,n);if(!o.props.length||1===t.tagType)return o;const{tag:r}=t,s=n.isCustomElement(r);if("input"===r||"textarea"===r||"select"===r||s){let e=co,i=!1;if("input"===r||s){const n=Ue(t,"type");if(n){if(7===n.type)e=ao;else if(n.value)switch(n.value.content){case"radio":e=so;break;case"checkbox":e=io;break;case"file":i=!0}}else Ge(t)&&(e=ao)}else"select"===r&&(e=lo);i||(o.needRuntime=n.helper(e))}return o.props=o.props.filter((e=>!(4===e.key.type&&"modelValue"===e.key.content))),o},on:(e,t,n)=>jn(e,t,n,(t=>{const{modifiers:o}=e;if(!o.length)return t;let{key:r,value:s}=t.props[0];const{keyModifiers:i,nonKeyModifiers:c,eventOptionModifiers:l}=((e,t,n,o)=>{const r=[],s=[],i=[];for(let c=0;c<t.length;c++){const o=t[c];"native"===o&&pt("COMPILER_V_ON_NATIVE",n)||No(o)?i.push(o):xo(o)?Me(e)?To(e.content)?r.push(o):s.push(o):(r.push(o),s.push(o)):_o(o)?s.push(o):r.push(o)}return{keyModifiers:r,nonKeyModifiers:s,eventOptionModifiers:i}})(r,o,n);if(c.includes("right")&&(r=ko(r,"onContextmenu")),c.includes("middle")&&(r=ko(r,"onMouseup")),c.length&&(s=Te(n.helper(po),[s,JSON.stringify(c)])),!i.length||Me(r)&&!To(r.content)||(s=Te(n.helper(uo),[s,JSON.stringify(i)])),l.length){const e=l.map(T).join("");r=Me(r)?_e(`${r.content}${e}`,!0):xe(["(",r,`) + "${e}"`])}return{props:[Ne(r,s)]}})),show:(e,t,n)=>({props:[],needRuntime:n.helper(fo)})};return e.BASE_TRANSITION=$,e.CAMELIZE=re,e.CAPITALIZE=se,e.CREATE_BLOCK=V,e.CREATE_COMMENT=F,e.CREATE_ELEMENT_BLOCK=A,e.CREATE_ELEMENT_VNODE=B,e.CREATE_SLOTS=Z,e.CREATE_STATIC=H,e.CREATE_TEXT=j,e.CREATE_VNODE=D,e.DOMDirectiveTransforms=Io,e.DOMNodeTransforms=Co,e.FRAGMENT=M,e.GUARD_REACTIVE_PROPS=ne,e.IS_MEMO_SAME=he,e.IS_REF=fe,e.KEEP_ALIVE=w,e.MERGE_PROPS=X,e.NORMALIZE_CLASS=Q,e.NORMALIZE_PROPS=te,e.NORMALIZE_STYLE=ee,e.OPEN_BLOCK=L,e.POP_SCOPE_ID=ae,e.PUSH_SCOPE_ID=le,e.RENDER_LIST=z,e.RENDER_SLOT=Y,e.RESOLVE_COMPONENT=W,e.RESOLVE_DIRECTIVE=U,e.RESOLVE_DYNAMIC_COMPONENT=K,e.RESOLVE_FILTER=J,e.SET_BLOCK_TRACKING=ce,e.SUSPENSE=P,e.TELEPORT=R,e.TO_DISPLAY_STRING=q,e.TO_HANDLERS=oe,e.TO_HANDLER_KEY=ie,e.TRANSITION=ho,e.TRANSITION_GROUP=mo,e.UNREF=ue,e.V_MODEL_CHECKBOX=io,e.V_MODEL_DYNAMIC=ao,e.V_MODEL_RADIO=so,e.V_MODEL_SELECT=lo,e.V_MODEL_TEXT=co,e.V_ON_WITH_KEYS=uo,e.V_ON_WITH_MODIFIERS=po,e.V_SHOW=fo,e.WITH_CTX=pe,e.WITH_DIRECTIVES=G,e.WITH_MEMO=de,e.advancePositionWithClone=He,e.advancePositionWithMutation=We,e.assert=function(e,t){if(!e)throw new Error(t||"unexpected compiler condition")},e.baseCompile=oo,e.baseParse=ht,e.buildDirectiveArgs=Vn,e.buildProps=wn,e.buildSlots=kn,e.checkCompatEnabled=pt,e.compile=function(e,t={}){return oo(e,d({},vo,t,{nodeTransforms:[Oo,...Co,...t.nodeTransforms||[]],directiveTransforms:d({},Io,t.directiveTransforms||{}),transformHoist:null}))},e.createArrayExpression=be,e.createAssignmentExpression=function(e,t){return{type:24,left:e,right:t,loc:ye}},e.createBlockStatement=Ie,e.createCacheExpression=Ce,e.createCallExpression=Te,e.createCompilerError=I,e.createCompoundExpression=xe,e.createConditionalExpression=Oe,e.createDOMCompilerError=Eo,e.createForLoopParams=Nn,e.createFunctionExpression=ke,e.createIfStatement=function(e,t,n){return{type:23,test:e,consequent:t,alternate:n,loc:ye}},e.createInterpolation=function(e,t){return{type:5,loc:t,content:m(e)?_e(e,!1,t):e}},e.createObjectExpression=Ee,e.createObjectProperty=Ne,e.createReturnStatement=function(e){return{type:26,returns:e,loc:ye}},e.createRoot=ve,e.createSequenceExpression=function(e){return{type:25,expressions:e,loc:ye}},e.createSimpleExpression=_e,e.createStructuralDirectiveTransform=Yt,e.createTemplateLiteral=function(e){return{type:22,elements:e,loc:ye}},e.createTransformContext=Jt,e.createVNodeCall=Se,e.extractIdentifiers=cn,e.findDir=Ke,e.findProp=Ue,e.generate=Xt,e.generateCodeFrame=function(e,t=0,n=e.length){let o=e.split(/(\r?\n)/);const r=o.filter(((e,t)=>t%2==1));o=o.filter(((e,t)=>t%2==0));let s=0;const i=[];for(let c=0;c<o.length;c++)if(s+=o[c].length+(r[c]&&r[c].length||0),s>=t){for(let e=c-2;e<=c+2||n>s;e++){if(e<0||e>=o.length)continue;const l=e+1;i.push(`${l}${" ".repeat(Math.max(3-String(l).length,0))}| ${o[e]}`);const a=o[e].length,p=r[e]&&r[e].length||0;if(e===c){const e=t-(s-(a+p)),o=Math.max(1,n>s?a-e:n-t);i.push(" | "+" ".repeat(e)+"^".repeat(o))}else if(e>c){if(n>s){const e=Math.max(Math.min(n-s,a),1);i.push(" | "+"^".repeat(e))}s+=a+p}}break}return i.join("\n")},e.getBaseTransformPreset=no,e.getConstantType=Ft,e.getInnerRange=je,e.getMemoedVNodeCall=st,e.getVNodeBlockHelper=Qe,e.getVNodeHelper=Xe,e.hasDynamicKeyVBind=Ge,e.hasScopeRef=function e(t,n){if(!t||0===Object.keys(n).length)return!1;switch(t.type){case 1:for(let o=0;o<t.props.length;o++){const r=t.props[o];if(7===r.type&&(e(r.arg,n)||e(r.exp,n)))return!0}return t.children.some((t=>e(t,n)));case 11:return!!e(t.source,n)||t.children.some((t=>e(t,n)));case 9:return t.branches.some((t=>e(t,n)));case 10:return!!e(t.condition,n)||t.children.some((t=>e(t,n)));case 4:return!t.isStatic&&$e(t.content)&&!!n[t.content];case 8:return t.children.some((t=>y(t)&&e(t,n)));case 5:case 12:return e(t.content,n);default:return!1}},e.helperNameMap=me,e.injectProp=nt,e.isBuiltInType=Re,e.isCoreComponent=Pe,e.isFunctionType=e=>/Function(?:Expression|Declaration)$|Method$/.test(e.type),e.isInDestructureAssignment=function(e,t){if(e&&("ObjectProperty"===e.type||"ArrayPattern"===e.type)){let e=t.length;for(;e--;){const n=t[e];if("AssignmentExpression"===n.type)return!0;if("ObjectProperty"!==n.type&&!n.type.endsWith("Pattern"))break}}return!1},e.isMemberExpression=Fe,e.isMemberExpressionBrowser=De,e.isMemberExpressionNode=Be,e.isReferencedIdentifier=function(e,t,n){return!1},e.isSimpleIdentifier=$e,e.isSlotOutlet=qe,e.isStaticArgOf=Je,e.isStaticExp=Me,e.isStaticProperty=ln,e.isStaticPropertyKey=(e,t)=>ln(t)&&t.key===e,e.isTemplateNode=Ze,e.isText=ze,e.isVSlot=Ye,e.locStub=ye,e.makeBlock=it,e.noopDirectiveTransform=ro,e.parse=function(e,t={}){return ht(e,d({},vo,t))},e.parserOptions=vo,e.processExpression=an,e.processFor=gn,e.processIf=un,e.processSlotOutlet=Bn,e.registerRuntimeHelpers=ge,e.resolveComponentType=Pn,e.stringifyExpression=function e(t){return m(t)?t:4===t.type?t.content:t.children.map(e).join("")},e.toValidAssetId=rt,e.trackSlotScopes=xn,e.trackVForSlotScopes=(e,t)=>{let n;if(Ze(e)&&e.props.some(Ye)&&(n=Ke(e,"for"))){const e=n.parseResult=bn(n.exp);if(e){const{value:n,key:o,index:r}=e,{addIdentifiers:s,removeIdentifiers:i}=t;return n&&s(n),o&&s(o),r&&s(r),()=>{n&&i(n),o&&i(o),r&&i(r)}}}},e.transform=Gt,e.transformBind=Hn,e.transformElement=Rn,e.transformExpression=(e,t)=>{if(5===e.type)e.content=an(e.content,t);else if(1===e.type)for(let n=0;n<e.props.length;n++){const o=e.props[n];if(7===o.type&&"for"!==o.name){const e=o.exp,n=o.arg;!e||4!==e.type||"on"===o.name&&n||(o.exp=an(e,t,"slot"===o.name)),n&&4===n.type&&!n.isStatic&&(o.arg=an(n,t))}}},e.transformModel=Gn,e.transformOn=jn,e.transformStyle=So,e.traverseNode=zt,e.walkBlockDeclarations=function(e,t){for(const n of e.body)if("VariableDeclaration"===n.type){if(n.declare)continue;for(const e of n.declarations)for(const n of cn(e.id))t(n)}else if("FunctionDeclaration"===n.type||"ClassDeclaration"===n.type){if(n.declare||!n.id)continue;t(n.id)}},e.walkFunctionParams=function(e,t){for(const n of e.params)for(const e of cn(n))t(e)},e.walkIdentifiers=function(e,t,n=!1,o=[],r=Object.create(null)){},e.warnDeprecation=function(e,t,n,...o){if("suppress-warning"===lt(e,t))return;const{message:r,link:s}=ct[e],i=`(deprecation ${e}) ${"function"==typeof r?r(...o):r}${s?`\n Details: ${s}`:""}`,c=new SyntaxError(i);c.code=e,n&&(c.loc=n),t.onWarn(c)},Object.defineProperty(e,"__esModule",{value:!0}),e}({});
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@vue/compiler-dom",
3
- "version": "3.2.41",
3
+ "version": "3.2.43",
4
4
  "description": "@vue/compiler-dom",
5
5
  "main": "index.js",
6
6
  "module": "dist/compiler-dom.esm-bundler.js",
@@ -37,7 +37,7 @@
37
37
  },
38
38
  "homepage": "https://github.com/vuejs/core/tree/main/packages/compiler-dom#readme",
39
39
  "dependencies": {
40
- "@vue/shared": "3.2.41",
41
- "@vue/compiler-core": "3.2.41"
40
+ "@vue/shared": "3.2.43",
41
+ "@vue/compiler-core": "3.2.43"
42
42
  }
43
43
  }