@swagger-api/apidom-ast 0.97.0 → 0.99.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/CHANGELOG.md CHANGED
@@ -3,6 +3,17 @@
3
3
  All notable changes to this project will be documented in this file.
4
4
  See [Conventional Commits](https://conventionalcommits.org) for commit guidelines.
5
5
 
6
+ # [0.99.0](https://github.com/swagger-api/apidom/compare/v0.98.3...v0.99.0) (2024-04-03)
7
+
8
+ ### Features
9
+
10
+ - **ast:** introduce async version of visitor merging mechanism ([#3993](https://github.com/swagger-api/apidom/issues/3993)) ([7dd0bbd](https://github.com/swagger-api/apidom/commit/7dd0bbd650eeeee9244cae6dafdf94df9c9150e3)), closes [#3832](https://github.com/swagger-api/apidom/issues/3832)
11
+ - **core:** introduce async version of plugin dispatch mechanism ([#3994](https://github.com/swagger-api/apidom/issues/3994)) ([36011bc](https://github.com/swagger-api/apidom/commit/36011bc3b7e50e2d12c08b18b2d45aeb9aa6f594)), closes [#3993](https://github.com/swagger-api/apidom/issues/3993)
12
+
13
+ # [0.98.0](https://github.com/swagger-api/apidom/compare/v0.97.1...v0.98.0) (2024-03-21)
14
+
15
+ **Note:** Version bump only for package @swagger-api/apidom-ast
16
+
6
17
  # [0.97.0](https://github.com/swagger-api/apidom/compare/v0.96.0...v0.97.0) (2024-03-07)
7
18
 
8
19
  **Note:** Version bump only for package @swagger-api/apidom-ast
package/cjs/index.cjs CHANGED
@@ -116,9 +116,9 @@ exports.isLiteral = _predicates3.isLiteral;
116
116
  exports.isPoint = _predicates3.isPoint;
117
117
  exports.isPosition = _predicates3.isPosition;
118
118
  var _visitor = require("./traversal/visitor.cjs");
119
- exports.getVisitFn = _visitor.getVisitFn;
120
119
  exports.BREAK = _visitor.BREAK;
121
120
  exports.mergeAllVisitors = _visitor.mergeAll;
121
+ exports.getVisitFn = _visitor.getVisitFn;
122
122
  exports.visit = _visitor.visit;
123
123
  exports.getNodeType = _visitor.getNodeType;
124
124
  exports.isNode = _visitor.isNode;
@@ -118,6 +118,68 @@ const mergeAll = (visitors, {
118
118
  }
119
119
  };
120
120
  };
121
+ exports.mergeAll = mergeAll;
122
+ const mergeAllAsync = (visitors, {
123
+ visitFnGetter = getVisitFn,
124
+ nodeTypeGetter = getNodeType,
125
+ breakSymbol = BREAK,
126
+ deleteNodeSymbol = null,
127
+ skipVisitingNodeSymbol = false,
128
+ exposeEdits = false
129
+ } = {}) => {
130
+ const skipSymbol = Symbol('skip');
131
+ const skipping = new Array(visitors.length).fill(skipSymbol);
132
+ return {
133
+ async enter(node, ...rest) {
134
+ let currentNode = node;
135
+ let hasChanged = false;
136
+ for (let i = 0; i < visitors.length; i += 1) {
137
+ if (skipping[i] === skipSymbol) {
138
+ const visitFn = visitFnGetter(visitors[i], nodeTypeGetter(currentNode), false);
139
+ if (typeof visitFn === 'function') {
140
+ // eslint-disable-next-line no-await-in-loop
141
+ const result = await visitFn.call(visitors[i], currentNode, ...rest);
142
+ if (result === skipVisitingNodeSymbol) {
143
+ skipping[i] = node;
144
+ } else if (result === breakSymbol) {
145
+ skipping[i] = breakSymbol;
146
+ } else if (result === deleteNodeSymbol) {
147
+ return result;
148
+ } else if (result !== undefined) {
149
+ if (exposeEdits) {
150
+ currentNode = result;
151
+ hasChanged = true;
152
+ } else {
153
+ return result;
154
+ }
155
+ }
156
+ }
157
+ }
158
+ }
159
+ return hasChanged ? currentNode : undefined;
160
+ },
161
+ async leave(node, ...rest) {
162
+ for (let i = 0; i < visitors.length; i += 1) {
163
+ if (skipping[i] === skipSymbol) {
164
+ const visitFn = visitFnGetter(visitors[i], nodeTypeGetter(node), true);
165
+ if (typeof visitFn === 'function') {
166
+ // eslint-disable-next-line no-await-in-loop
167
+ const result = await visitFn.call(visitors[i], node, ...rest);
168
+ if (result === breakSymbol) {
169
+ skipping[i] = breakSymbol;
170
+ } else if (result !== undefined && result !== skipVisitingNodeSymbol) {
171
+ return result;
172
+ }
173
+ }
174
+ } else if (skipping[i] === node) {
175
+ skipping[i] = skipSymbol;
176
+ }
177
+ }
178
+ return undefined;
179
+ }
180
+ };
181
+ };
182
+ mergeAll[Symbol.for('nodejs.util.promisify.custom')] = mergeAllAsync;
121
183
 
122
184
  /* eslint-disable no-continue, no-param-reassign */
123
185
  /**
@@ -209,7 +271,6 @@ const mergeAll = (visitors, {
209
271
  * @sig visit :: (Node, Visitor, Options)
210
272
  * @sig Options = { keyMap: Object, state: Object }
211
273
  */
212
- exports.mergeAll = mergeAll;
213
274
  const visit = (
214
275
  // @ts-ignore
215
276
  root,
@@ -583,6 +583,7 @@ const cloneNode = node => Object.create(Object.getPrototypeOf(node), Object.getO
583
583
  * If a prior visitor edits a node, no following visitors will see that node.
584
584
  * `exposeEdits=true` can be used to exoise the edited node from the previous visitors.
585
585
  */
586
+
586
587
  const mergeAll = (visitors, {
587
588
  visitFnGetter = getVisitFn,
588
589
  nodeTypeGetter = getNodeType,
@@ -641,6 +642,67 @@ const mergeAll = (visitors, {
641
642
  }
642
643
  };
643
644
  };
645
+ const mergeAllAsync = (visitors, {
646
+ visitFnGetter = getVisitFn,
647
+ nodeTypeGetter = getNodeType,
648
+ breakSymbol = BREAK,
649
+ deleteNodeSymbol = null,
650
+ skipVisitingNodeSymbol = false,
651
+ exposeEdits = false
652
+ } = {}) => {
653
+ const skipSymbol = Symbol('skip');
654
+ const skipping = new Array(visitors.length).fill(skipSymbol);
655
+ return {
656
+ async enter(node, ...rest) {
657
+ let currentNode = node;
658
+ let hasChanged = false;
659
+ for (let i = 0; i < visitors.length; i += 1) {
660
+ if (skipping[i] === skipSymbol) {
661
+ const visitFn = visitFnGetter(visitors[i], nodeTypeGetter(currentNode), false);
662
+ if (typeof visitFn === 'function') {
663
+ // eslint-disable-next-line no-await-in-loop
664
+ const result = await visitFn.call(visitors[i], currentNode, ...rest);
665
+ if (result === skipVisitingNodeSymbol) {
666
+ skipping[i] = node;
667
+ } else if (result === breakSymbol) {
668
+ skipping[i] = breakSymbol;
669
+ } else if (result === deleteNodeSymbol) {
670
+ return result;
671
+ } else if (result !== undefined) {
672
+ if (exposeEdits) {
673
+ currentNode = result;
674
+ hasChanged = true;
675
+ } else {
676
+ return result;
677
+ }
678
+ }
679
+ }
680
+ }
681
+ }
682
+ return hasChanged ? currentNode : undefined;
683
+ },
684
+ async leave(node, ...rest) {
685
+ for (let i = 0; i < visitors.length; i += 1) {
686
+ if (skipping[i] === skipSymbol) {
687
+ const visitFn = visitFnGetter(visitors[i], nodeTypeGetter(node), true);
688
+ if (typeof visitFn === 'function') {
689
+ // eslint-disable-next-line no-await-in-loop
690
+ const result = await visitFn.call(visitors[i], node, ...rest);
691
+ if (result === breakSymbol) {
692
+ skipping[i] = breakSymbol;
693
+ } else if (result !== undefined && result !== skipVisitingNodeSymbol) {
694
+ return result;
695
+ }
696
+ }
697
+ } else if (skipping[i] === node) {
698
+ skipping[i] = skipSymbol;
699
+ }
700
+ }
701
+ return undefined;
702
+ }
703
+ };
704
+ };
705
+ mergeAll[Symbol.for('nodejs.util.promisify.custom')] = mergeAllAsync;
644
706
 
645
707
  /* eslint-disable no-continue, no-param-reassign */
646
708
  /**
@@ -1 +1 @@
1
- !function(t,e){"object"==typeof exports&&"object"==typeof module?module.exports=e():"function"==typeof define&&define.amd?define([],e):"object"==typeof exports?exports.apidomAST=e():t.apidomAST=e()}(self,(()=>(()=>{var t={8583:(t,e)=>{"use strict";var r;Object.defineProperty(e,"__esModule",{value:!0}),e.errorMessages=e.ErrorType=void 0,function(t){t.MalformedUnicode="MALFORMED_UNICODE",t.MalformedHexadecimal="MALFORMED_HEXADECIMAL",t.CodePointLimit="CODE_POINT_LIMIT",t.OctalDeprecation="OCTAL_DEPRECATION",t.EndOfString="END_OF_STRING"}(r=e.ErrorType||(e.ErrorType={})),e.errorMessages=new Map([[r.MalformedUnicode,"malformed Unicode character escape sequence"],[r.MalformedHexadecimal,"malformed hexadecimal character escape sequence"],[r.CodePointLimit,"Unicode codepoint must not be greater than 0x10FFFF in escape sequence"],[r.OctalDeprecation,'"0"-prefixed octal literals and octal escape sequences are deprecated; for octal literals use the "0o" prefix instead'],[r.EndOfString,"malformed escape sequence at end of string"]])},6850:(t,e,r)=>{"use strict";e.MH=void 0;const n=r(8583);function o(t,e,r){const o=function(t){return t.match(/[^a-f0-9]/i)?NaN:parseInt(t,16)}(t);if(Number.isNaN(o)||void 0!==r&&r!==t.length)throw new SyntaxError(n.errorMessages.get(e));return o}function i(t,e){const r=o(t,n.ErrorType.MalformedUnicode,4);if(void 0!==e){const t=o(e,n.ErrorType.MalformedUnicode,4);return String.fromCharCode(r,t)}return String.fromCharCode(r)}const s=new Map([["b","\b"],["f","\f"],["n","\n"],["r","\r"],["t","\t"],["v","\v"],["0","\0"]]);const c=/\\(?:(\\)|x([\s\S]{0,2})|u(\{[^}]*\}?)|u([\s\S]{4})\\u([^{][\s\S]{0,3})|u([\s\S]{0,4})|([0-3]?[0-7]{1,2})|([\s\S])|$)/g;function a(t,e=!1){return t.replace(c,(function(t,r,c,a,u,l,f,p,y){if(void 0!==r)return"\\";if(void 0!==c)return function(t){const e=o(t,n.ErrorType.MalformedHexadecimal,2);return String.fromCharCode(e)}(c);if(void 0!==a)return function(t){if("{"!==(e=t).charAt(0)||"}"!==e.charAt(e.length-1))throw new SyntaxError(n.errorMessages.get(n.ErrorType.MalformedUnicode));var e;const r=o(t.slice(1,-1),n.ErrorType.MalformedUnicode);try{return String.fromCodePoint(r)}catch(t){throw t instanceof RangeError?new SyntaxError(n.errorMessages.get(n.ErrorType.CodePointLimit)):t}}(a);if(void 0!==u)return i(u,l);if(void 0!==f)return i(f);if("0"===p)return"\0";if(void 0!==p)return function(t,e=!1){if(e)throw new SyntaxError(n.errorMessages.get(n.ErrorType.OctalDeprecation));const r=parseInt(t,8);return String.fromCharCode(r)}(p,!e);if(void 0!==y)return h=y,s.get(h)||h;var h;throw new SyntaxError(n.errorMessages.get(n.ErrorType.EndOfString))}))}e.MH=a},1212:(t,e,r)=>{t.exports=r(8411)},7202:(t,e,r)=>{"use strict";var n=r(239);t.exports=n},6656:(t,e,r)=>{"use strict";r(484),r(5695),r(6138),r(9828),r(3832);var n=r(8099);t.exports=n.AggregateError},8411:(t,e,r)=>{"use strict";t.exports=r(8337)},8337:(t,e,r)=>{"use strict";r(5442);var n=r(7202);t.exports=n},814:(t,e,r)=>{"use strict";var n=r(2769),o=r(459),i=TypeError;t.exports=function(t){if(n(t))return t;throw new i(o(t)+" is not a function")}},1966:(t,e,r)=>{"use strict";var n=r(2937),o=String,i=TypeError;t.exports=function(t){if(n(t))return t;throw new i("Can't set "+o(t)+" as a prototype")}},8137:t=>{"use strict";t.exports=function(){}},7235:(t,e,r)=>{"use strict";var n=r(262),o=String,i=TypeError;t.exports=function(t){if(n(t))return t;throw new i(o(t)+" is not an object")}},1005:(t,e,r)=>{"use strict";var n=r(3273),o=r(4574),i=r(8130),s=function(t){return function(e,r,s){var c,a=n(e),u=i(a),l=o(s,u);if(t&&r!=r){for(;u>l;)if((c=a[l++])!=c)return!0}else for(;u>l;l++)if((t||l in a)&&a[l]===r)return t||l||0;return!t&&-1}};t.exports={includes:s(!0),indexOf:s(!1)}},9932:(t,e,r)=>{"use strict";var n=r(6100),o=n({}.toString),i=n("".slice);t.exports=function(t){return i(o(t),8,-1)}},8407:(t,e,r)=>{"use strict";var n=r(4904),o=r(2769),i=r(9932),s=r(8655)("toStringTag"),c=Object,a="Arguments"===i(function(){return arguments}());t.exports=n?i:function(t){var e,r,n;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(r=function(t,e){try{return t[e]}catch(t){}}(e=c(t),s))?r:a?i(e):"Object"===(n=i(e))&&o(e.callee)?"Arguments":n}},7464:(t,e,r)=>{"use strict";var n=r(701),o=r(5691),i=r(4543),s=r(9989);t.exports=function(t,e,r){for(var c=o(e),a=s.f,u=i.f,l=0;l<c.length;l++){var f=c[l];n(t,f)||r&&n(r,f)||a(t,f,u(e,f))}}},2871:(t,e,r)=>{"use strict";var n=r(1203);t.exports=!n((function(){function t(){}return t.prototype.constructor=null,Object.getPrototypeOf(new t)!==t.prototype}))},877:t=>{"use strict";t.exports=function(t,e){return{value:t,done:e}}},3999:(t,e,r)=>{"use strict";var n=r(5024),o=r(9989),i=r(480);t.exports=n?function(t,e,r){return o.f(t,e,i(1,r))}:function(t,e,r){return t[e]=r,t}},480:t=>{"use strict";t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},3508:(t,e,r)=>{"use strict";var n=r(3999);t.exports=function(t,e,r,o){return o&&o.enumerable?t[e]=r:n(t,e,r),t}},7525:(t,e,r)=>{"use strict";var n=r(1063),o=Object.defineProperty;t.exports=function(t,e){try{o(n,t,{value:e,configurable:!0,writable:!0})}catch(r){n[t]=e}return e}},5024:(t,e,r)=>{"use strict";var n=r(1203);t.exports=!n((function(){return 7!==Object.defineProperty({},1,{get:function(){return 7}})[1]}))},9619:(t,e,r)=>{"use strict";var n=r(1063),o=r(262),i=n.document,s=o(i)&&o(i.createElement);t.exports=function(t){return s?i.createElement(t):{}}},1100:t=>{"use strict";t.exports={CSSRuleList:0,CSSStyleDeclaration:0,CSSValueList:0,ClientRectList:0,DOMRectList:0,DOMStringList:0,DOMTokenList:1,DataTransferItemList:0,FileList:0,HTMLAllCollection:0,HTMLCollection:0,HTMLFormElement:0,HTMLSelectElement:0,MediaList:0,MimeTypeArray:0,NamedNodeMap:0,NodeList:1,PaintRequestList:0,Plugin:0,PluginArray:0,SVGLengthList:0,SVGNumberList:0,SVGPathSegList:0,SVGPointList:0,SVGStringList:0,SVGTransformList:0,SourceBufferList:0,StyleSheetList:0,TextTrackCueList:0,TextTrackList:0,TouchList:0}},7868:t=>{"use strict";t.exports="undefined"!=typeof navigator&&String(navigator.userAgent)||""},4432:(t,e,r)=>{"use strict";var n,o,i=r(1063),s=r(7868),c=i.process,a=i.Deno,u=c&&c.versions||a&&a.version,l=u&&u.v8;l&&(o=(n=l.split("."))[0]>0&&n[0]<4?1:+(n[0]+n[1])),!o&&s&&(!(n=s.match(/Edge\/(\d+)/))||n[1]>=74)&&(n=s.match(/Chrome\/(\d+)/))&&(o=+n[1]),t.exports=o},9683:t=>{"use strict";t.exports=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"]},3885:(t,e,r)=>{"use strict";var n=r(6100),o=Error,i=n("".replace),s=String(new o("zxcasd").stack),c=/\n\s*at [^:]*:[^\n]*/,a=c.test(s);t.exports=function(t,e){if(a&&"string"==typeof t&&!o.prepareStackTrace)for(;e--;)t=i(t,c,"");return t}},4279:(t,e,r)=>{"use strict";var n=r(3999),o=r(3885),i=r(5791),s=Error.captureStackTrace;t.exports=function(t,e,r,c){i&&(s?s(t,e):n(t,"stack",o(r,c)))}},5791:(t,e,r)=>{"use strict";var n=r(1203),o=r(480);t.exports=!n((function(){var t=new Error("a");return!("stack"in t)||(Object.defineProperty(t,"stack",o(1,7)),7!==t.stack)}))},9098:(t,e,r)=>{"use strict";var n=r(1063),o=r(7013),i=r(9344),s=r(2769),c=r(4543).f,a=r(8696),u=r(8099),l=r(4572),f=r(3999),p=r(701),y=function(t){var e=function(r,n,i){if(this instanceof e){switch(arguments.length){case 0:return new t;case 1:return new t(r);case 2:return new t(r,n)}return new t(r,n,i)}return o(t,this,arguments)};return e.prototype=t.prototype,e};t.exports=function(t,e){var r,o,h,g,d,v,m,b,x,S=t.target,w=t.global,O=t.stat,j=t.proto,E=w?n:O?n[S]:n[S]&&n[S].prototype,A=w?u:u[S]||f(u,S,{})[S],T=A.prototype;for(g in e)o=!(r=a(w?g:S+(O?".":"#")+g,t.forced))&&E&&p(E,g),v=A[g],o&&(m=t.dontCallGetSet?(x=c(E,g))&&x.value:E[g]),d=o&&m?m:e[g],(r||j||typeof v!=typeof d)&&(b=t.bind&&o?l(d,n):t.wrap&&o?y(d):j&&s(d)?i(d):d,(t.sham||d&&d.sham||v&&v.sham)&&f(b,"sham",!0),f(A,g,b),j&&(p(u,h=S+"Prototype")||f(u,h,{}),f(u[h],g,d),t.real&&T&&(r||!T[g])&&f(T,g,d)))}},1203:t=>{"use strict";t.exports=function(t){try{return!!t()}catch(t){return!0}}},7013:(t,e,r)=>{"use strict";var n=r(1780),o=Function.prototype,i=o.apply,s=o.call;t.exports="object"==typeof Reflect&&Reflect.apply||(n?s.bind(i):function(){return s.apply(i,arguments)})},4572:(t,e,r)=>{"use strict";var n=r(9344),o=r(814),i=r(1780),s=n(n.bind);t.exports=function(t,e){return o(t),void 0===e?t:i?s(t,e):function(){return t.apply(e,arguments)}}},1780:(t,e,r)=>{"use strict";var n=r(1203);t.exports=!n((function(){var t=function(){}.bind();return"function"!=typeof t||t.hasOwnProperty("prototype")}))},4713:(t,e,r)=>{"use strict";var n=r(1780),o=Function.prototype.call;t.exports=n?o.bind(o):function(){return o.apply(o,arguments)}},3410:(t,e,r)=>{"use strict";var n=r(5024),o=r(701),i=Function.prototype,s=n&&Object.getOwnPropertyDescriptor,c=o(i,"name"),a=c&&"something"===function(){}.name,u=c&&(!n||n&&s(i,"name").configurable);t.exports={EXISTS:c,PROPER:a,CONFIGURABLE:u}},3574:(t,e,r)=>{"use strict";var n=r(6100),o=r(814);t.exports=function(t,e,r){try{return n(o(Object.getOwnPropertyDescriptor(t,e)[r]))}catch(t){}}},9344:(t,e,r)=>{"use strict";var n=r(9932),o=r(6100);t.exports=function(t){if("Function"===n(t))return o(t)}},6100:(t,e,r)=>{"use strict";var n=r(1780),o=Function.prototype,i=o.call,s=n&&o.bind.bind(i,i);t.exports=n?s:function(t){return function(){return i.apply(t,arguments)}}},1003:(t,e,r)=>{"use strict";var n=r(8099),o=r(1063),i=r(2769),s=function(t){return i(t)?t:void 0};t.exports=function(t,e){return arguments.length<2?s(n[t])||s(o[t]):n[t]&&n[t][e]||o[t]&&o[t][e]}},967:(t,e,r)=>{"use strict";var n=r(8407),o=r(4674),i=r(3057),s=r(6625),c=r(8655)("iterator");t.exports=function(t){if(!i(t))return o(t,c)||o(t,"@@iterator")||s[n(t)]}},1613:(t,e,r)=>{"use strict";var n=r(4713),o=r(814),i=r(7235),s=r(459),c=r(967),a=TypeError;t.exports=function(t,e){var r=arguments.length<2?c(t):e;if(o(r))return i(n(r,t));throw new a(s(t)+" is not iterable")}},4674:(t,e,r)=>{"use strict";var n=r(814),o=r(3057);t.exports=function(t,e){var r=t[e];return o(r)?void 0:n(r)}},1063:function(t,e,r){"use strict";var n=function(t){return t&&t.Math===Math&&t};t.exports=n("object"==typeof globalThis&&globalThis)||n("object"==typeof window&&window)||n("object"==typeof self&&self)||n("object"==typeof r.g&&r.g)||n("object"==typeof this&&this)||function(){return this}()||Function("return this")()},701:(t,e,r)=>{"use strict";var n=r(6100),o=r(2137),i=n({}.hasOwnProperty);t.exports=Object.hasOwn||function(t,e){return i(o(t),e)}},5241:t=>{"use strict";t.exports={}},3489:(t,e,r)=>{"use strict";var n=r(1003);t.exports=n("document","documentElement")},9665:(t,e,r)=>{"use strict";var n=r(5024),o=r(1203),i=r(9619);t.exports=!n&&!o((function(){return 7!==Object.defineProperty(i("div"),"a",{get:function(){return 7}}).a}))},1395:(t,e,r)=>{"use strict";var n=r(6100),o=r(1203),i=r(9932),s=Object,c=n("".split);t.exports=o((function(){return!s("z").propertyIsEnumerable(0)}))?function(t){return"String"===i(t)?c(t,""):s(t)}:s},3507:(t,e,r)=>{"use strict";var n=r(2769),o=r(262),i=r(3491);t.exports=function(t,e,r){var s,c;return i&&n(s=e.constructor)&&s!==r&&o(c=s.prototype)&&c!==r.prototype&&i(t,c),t}},8148:(t,e,r)=>{"use strict";var n=r(262),o=r(3999);t.exports=function(t,e){n(e)&&"cause"in e&&o(t,"cause",e.cause)}},8417:(t,e,r)=>{"use strict";var n,o,i,s=r(1314),c=r(1063),a=r(262),u=r(3999),l=r(701),f=r(3753),p=r(4275),y=r(5241),h="Object already initialized",g=c.TypeError,d=c.WeakMap;if(s||f.state){var v=f.state||(f.state=new d);v.get=v.get,v.has=v.has,v.set=v.set,n=function(t,e){if(v.has(t))throw new g(h);return e.facade=t,v.set(t,e),e},o=function(t){return v.get(t)||{}},i=function(t){return v.has(t)}}else{var m=p("state");y[m]=!0,n=function(t,e){if(l(t,m))throw new g(h);return e.facade=t,u(t,m,e),e},o=function(t){return l(t,m)?t[m]:{}},i=function(t){return l(t,m)}}t.exports={set:n,get:o,has:i,enforce:function(t){return i(t)?o(t):n(t,{})},getterFor:function(t){return function(e){var r;if(!a(e)||(r=o(e)).type!==t)throw new g("Incompatible receiver, "+t+" required");return r}}}},2877:(t,e,r)=>{"use strict";var n=r(8655),o=r(6625),i=n("iterator"),s=Array.prototype;t.exports=function(t){return void 0!==t&&(o.Array===t||s[i]===t)}},2769:t=>{"use strict";var e="object"==typeof document&&document.all;t.exports=void 0===e&&void 0!==e?function(t){return"function"==typeof t||t===e}:function(t){return"function"==typeof t}},8696:(t,e,r)=>{"use strict";var n=r(1203),o=r(2769),i=/#|\.prototype\./,s=function(t,e){var r=a[c(t)];return r===l||r!==u&&(o(e)?n(e):!!e)},c=s.normalize=function(t){return String(t).replace(i,".").toLowerCase()},a=s.data={},u=s.NATIVE="N",l=s.POLYFILL="P";t.exports=s},3057:t=>{"use strict";t.exports=function(t){return null==t}},262:(t,e,r)=>{"use strict";var n=r(2769);t.exports=function(t){return"object"==typeof t?null!==t:n(t)}},2937:(t,e,r)=>{"use strict";var n=r(262);t.exports=function(t){return n(t)||null===t}},4871:t=>{"use strict";t.exports=!0},6281:(t,e,r)=>{"use strict";var n=r(1003),o=r(2769),i=r(4317),s=r(7460),c=Object;t.exports=s?function(t){return"symbol"==typeof t}:function(t){var e=n("Symbol");return o(e)&&i(e.prototype,c(t))}},208:(t,e,r)=>{"use strict";var n=r(4572),o=r(4713),i=r(7235),s=r(459),c=r(2877),a=r(8130),u=r(4317),l=r(1613),f=r(967),p=r(1743),y=TypeError,h=function(t,e){this.stopped=t,this.result=e},g=h.prototype;t.exports=function(t,e,r){var d,v,m,b,x,S,w,O=r&&r.that,j=!(!r||!r.AS_ENTRIES),E=!(!r||!r.IS_RECORD),A=!(!r||!r.IS_ITERATOR),T=!(!r||!r.INTERRUPTED),k=n(e,O),P=function(t){return d&&p(d,"normal",t),new h(!0,t)},N=function(t){return j?(i(t),T?k(t[0],t[1],P):k(t[0],t[1])):T?k(t,P):k(t)};if(E)d=t.iterator;else if(A)d=t;else{if(!(v=f(t)))throw new y(s(t)+" is not iterable");if(c(v)){for(m=0,b=a(t);b>m;m++)if((x=N(t[m]))&&u(g,x))return x;return new h(!1)}d=l(t,v)}for(S=E?t.next:d.next;!(w=o(S,d)).done;){try{x=N(w.value)}catch(t){p(d,"throw",t)}if("object"==typeof x&&x&&u(g,x))return x}return new h(!1)}},1743:(t,e,r)=>{"use strict";var n=r(4713),o=r(7235),i=r(4674);t.exports=function(t,e,r){var s,c;o(t);try{if(!(s=i(t,"return"))){if("throw"===e)throw r;return r}s=n(s,t)}catch(t){c=!0,s=t}if("throw"===e)throw r;if(c)throw s;return o(s),r}},1926:(t,e,r)=>{"use strict";var n=r(2621).IteratorPrototype,o=r(5780),i=r(480),s=r(1811),c=r(6625),a=function(){return this};t.exports=function(t,e,r,u){var l=e+" Iterator";return t.prototype=o(n,{next:i(+!u,r)}),s(t,l,!1,!0),c[l]=a,t}},164:(t,e,r)=>{"use strict";var n=r(9098),o=r(4713),i=r(4871),s=r(3410),c=r(2769),a=r(1926),u=r(3671),l=r(3491),f=r(1811),p=r(3999),y=r(3508),h=r(8655),g=r(6625),d=r(2621),v=s.PROPER,m=s.CONFIGURABLE,b=d.IteratorPrototype,x=d.BUGGY_SAFARI_ITERATORS,S=h("iterator"),w="keys",O="values",j="entries",E=function(){return this};t.exports=function(t,e,r,s,h,d,A){a(r,e,s);var T,k,P,N=function(t){if(t===h&&L)return L;if(!x&&t&&t in F)return F[t];switch(t){case w:case O:case j:return function(){return new r(this,t)}}return function(){return new r(this)}},M=e+" Iterator",C=!1,F=t.prototype,I=F[S]||F["@@iterator"]||h&&F[h],L=!x&&I||N(h),R="Array"===e&&F.entries||I;if(R&&(T=u(R.call(new t)))!==Object.prototype&&T.next&&(i||u(T)===b||(l?l(T,b):c(T[S])||y(T,S,E)),f(T,M,!0,!0),i&&(g[M]=E)),v&&h===O&&I&&I.name!==O&&(!i&&m?p(F,"name",O):(C=!0,L=function(){return o(I,this)})),h)if(k={values:N(O),keys:d?L:N(w),entries:N(j)},A)for(P in k)(x||C||!(P in F))&&y(F,P,k[P]);else n({target:e,proto:!0,forced:x||C},k);return i&&!A||F[S]===L||y(F,S,L,{name:h}),g[e]=L,k}},2621:(t,e,r)=>{"use strict";var n,o,i,s=r(1203),c=r(2769),a=r(262),u=r(5780),l=r(3671),f=r(3508),p=r(8655),y=r(4871),h=p("iterator"),g=!1;[].keys&&("next"in(i=[].keys())?(o=l(l(i)))!==Object.prototype&&(n=o):g=!0),!a(n)||s((function(){var t={};return n[h].call(t)!==t}))?n={}:y&&(n=u(n)),c(n[h])||f(n,h,(function(){return this})),t.exports={IteratorPrototype:n,BUGGY_SAFARI_ITERATORS:g}},6625:t=>{"use strict";t.exports={}},8130:(t,e,r)=>{"use strict";var n=r(8146);t.exports=function(t){return n(t.length)}},5777:t=>{"use strict";var e=Math.ceil,r=Math.floor;t.exports=Math.trunc||function(t){var n=+t;return(n>0?r:e)(n)}},4879:(t,e,r)=>{"use strict";var n=r(1139);t.exports=function(t,e){return void 0===t?arguments.length<2?"":e:n(t)}},5780:(t,e,r)=>{"use strict";var n,o=r(7235),i=r(7389),s=r(9683),c=r(5241),a=r(3489),u=r(9619),l=r(4275),f="prototype",p="script",y=l("IE_PROTO"),h=function(){},g=function(t){return"<"+p+">"+t+"</"+p+">"},d=function(t){t.write(g("")),t.close();var e=t.parentWindow.Object;return t=null,e},v=function(){try{n=new ActiveXObject("htmlfile")}catch(t){}var t,e,r;v="undefined"!=typeof document?document.domain&&n?d(n):(e=u("iframe"),r="java"+p+":",e.style.display="none",a.appendChild(e),e.src=String(r),(t=e.contentWindow.document).open(),t.write(g("document.F=Object")),t.close(),t.F):d(n);for(var o=s.length;o--;)delete v[f][s[o]];return v()};c[y]=!0,t.exports=Object.create||function(t,e){var r;return null!==t?(h[f]=o(t),r=new h,h[f]=null,r[y]=t):r=v(),void 0===e?r:i.f(r,e)}},7389:(t,e,r)=>{"use strict";var n=r(5024),o=r(1330),i=r(9989),s=r(7235),c=r(3273),a=r(8364);e.f=n&&!o?Object.defineProperties:function(t,e){s(t);for(var r,n=c(e),o=a(e),u=o.length,l=0;u>l;)i.f(t,r=o[l++],n[r]);return t}},9989:(t,e,r)=>{"use strict";var n=r(5024),o=r(9665),i=r(1330),s=r(7235),c=r(5341),a=TypeError,u=Object.defineProperty,l=Object.getOwnPropertyDescriptor,f="enumerable",p="configurable",y="writable";e.f=n?i?function(t,e,r){if(s(t),e=c(e),s(r),"function"==typeof t&&"prototype"===e&&"value"in r&&y in r&&!r[y]){var n=l(t,e);n&&n[y]&&(t[e]=r.value,r={configurable:p in r?r[p]:n[p],enumerable:f in r?r[f]:n[f],writable:!1})}return u(t,e,r)}:u:function(t,e,r){if(s(t),e=c(e),s(r),o)try{return u(t,e,r)}catch(t){}if("get"in r||"set"in r)throw new a("Accessors not supported");return"value"in r&&(t[e]=r.value),t}},4543:(t,e,r)=>{"use strict";var n=r(5024),o=r(4713),i=r(7161),s=r(480),c=r(3273),a=r(5341),u=r(701),l=r(9665),f=Object.getOwnPropertyDescriptor;e.f=n?f:function(t,e){if(t=c(t),e=a(e),l)try{return f(t,e)}catch(t){}if(u(t,e))return s(!o(i.f,t,e),t[e])}},5116:(t,e,r)=>{"use strict";var n=r(8600),o=r(9683).concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return n(t,o)}},7313:(t,e)=>{"use strict";e.f=Object.getOwnPropertySymbols},3671:(t,e,r)=>{"use strict";var n=r(701),o=r(2769),i=r(2137),s=r(4275),c=r(2871),a=s("IE_PROTO"),u=Object,l=u.prototype;t.exports=c?u.getPrototypeOf:function(t){var e=i(t);if(n(e,a))return e[a];var r=e.constructor;return o(r)&&e instanceof r?r.prototype:e instanceof u?l:null}},4317:(t,e,r)=>{"use strict";var n=r(6100);t.exports=n({}.isPrototypeOf)},8600:(t,e,r)=>{"use strict";var n=r(6100),o=r(701),i=r(3273),s=r(1005).indexOf,c=r(5241),a=n([].push);t.exports=function(t,e){var r,n=i(t),u=0,l=[];for(r in n)!o(c,r)&&o(n,r)&&a(l,r);for(;e.length>u;)o(n,r=e[u++])&&(~s(l,r)||a(l,r));return l}},8364:(t,e,r)=>{"use strict";var n=r(8600),o=r(9683);t.exports=Object.keys||function(t){return n(t,o)}},7161:(t,e)=>{"use strict";var r={}.propertyIsEnumerable,n=Object.getOwnPropertyDescriptor,o=n&&!r.call({1:2},1);e.f=o?function(t){var e=n(this,t);return!!e&&e.enumerable}:r},3491:(t,e,r)=>{"use strict";var n=r(3574),o=r(7235),i=r(1966);t.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var t,e=!1,r={};try{(t=n(Object.prototype,"__proto__","set"))(r,[]),e=r instanceof Array}catch(t){}return function(r,n){return o(r),i(n),e?t(r,n):r.__proto__=n,r}}():void 0)},9559:(t,e,r)=>{"use strict";var n=r(4904),o=r(8407);t.exports=n?{}.toString:function(){return"[object "+o(this)+"]"}},9258:(t,e,r)=>{"use strict";var n=r(4713),o=r(2769),i=r(262),s=TypeError;t.exports=function(t,e){var r,c;if("string"===e&&o(r=t.toString)&&!i(c=n(r,t)))return c;if(o(r=t.valueOf)&&!i(c=n(r,t)))return c;if("string"!==e&&o(r=t.toString)&&!i(c=n(r,t)))return c;throw new s("Can't convert object to primitive value")}},5691:(t,e,r)=>{"use strict";var n=r(1003),o=r(6100),i=r(5116),s=r(7313),c=r(7235),a=o([].concat);t.exports=n("Reflect","ownKeys")||function(t){var e=i.f(c(t)),r=s.f;return r?a(e,r(t)):e}},8099:t=>{"use strict";t.exports={}},5516:(t,e,r)=>{"use strict";var n=r(9989).f;t.exports=function(t,e,r){r in t||n(t,r,{configurable:!0,get:function(){return e[r]},set:function(t){e[r]=t}})}},5426:(t,e,r)=>{"use strict";var n=r(3057),o=TypeError;t.exports=function(t){if(n(t))throw new o("Can't call method on "+t);return t}},1811:(t,e,r)=>{"use strict";var n=r(4904),o=r(9989).f,i=r(3999),s=r(701),c=r(9559),a=r(8655)("toStringTag");t.exports=function(t,e,r,u){var l=r?t:t&&t.prototype;l&&(s(l,a)||o(l,a,{configurable:!0,value:e}),u&&!n&&i(l,"toString",c))}},4275:(t,e,r)=>{"use strict";var n=r(8141),o=r(1268),i=n("keys");t.exports=function(t){return i[t]||(i[t]=o(t))}},3753:(t,e,r)=>{"use strict";var n=r(1063),o=r(7525),i="__core-js_shared__",s=n[i]||o(i,{});t.exports=s},8141:(t,e,r)=>{"use strict";var n=r(4871),o=r(3753);(t.exports=function(t,e){return o[t]||(o[t]=void 0!==e?e:{})})("versions",[]).push({version:"3.35.1",mode:n?"pure":"global",copyright:"© 2014-2024 Denis Pushkarev (zloirock.ru)",license:"https://github.com/zloirock/core-js/blob/v3.35.1/LICENSE",source:"https://github.com/zloirock/core-js"})},5571:(t,e,r)=>{"use strict";var n=r(6100),o=r(9903),i=r(1139),s=r(5426),c=n("".charAt),a=n("".charCodeAt),u=n("".slice),l=function(t){return function(e,r){var n,l,f=i(s(e)),p=o(r),y=f.length;return p<0||p>=y?t?"":void 0:(n=a(f,p))<55296||n>56319||p+1===y||(l=a(f,p+1))<56320||l>57343?t?c(f,p):n:t?u(f,p,p+2):l-56320+(n-55296<<10)+65536}};t.exports={codeAt:l(!1),charAt:l(!0)}},4603:(t,e,r)=>{"use strict";var n=r(4432),o=r(1203),i=r(1063).String;t.exports=!!Object.getOwnPropertySymbols&&!o((function(){var t=Symbol("symbol detection");return!i(t)||!(Object(t)instanceof Symbol)||!Symbol.sham&&n&&n<41}))},4574:(t,e,r)=>{"use strict";var n=r(9903),o=Math.max,i=Math.min;t.exports=function(t,e){var r=n(t);return r<0?o(r+e,0):i(r,e)}},3273:(t,e,r)=>{"use strict";var n=r(1395),o=r(5426);t.exports=function(t){return n(o(t))}},9903:(t,e,r)=>{"use strict";var n=r(5777);t.exports=function(t){var e=+t;return e!=e||0===e?0:n(e)}},8146:(t,e,r)=>{"use strict";var n=r(9903),o=Math.min;t.exports=function(t){var e=n(t);return e>0?o(e,9007199254740991):0}},2137:(t,e,r)=>{"use strict";var n=r(5426),o=Object;t.exports=function(t){return o(n(t))}},493:(t,e,r)=>{"use strict";var n=r(4713),o=r(262),i=r(6281),s=r(4674),c=r(9258),a=r(8655),u=TypeError,l=a("toPrimitive");t.exports=function(t,e){if(!o(t)||i(t))return t;var r,a=s(t,l);if(a){if(void 0===e&&(e="default"),r=n(a,t,e),!o(r)||i(r))return r;throw new u("Can't convert object to primitive value")}return void 0===e&&(e="number"),c(t,e)}},5341:(t,e,r)=>{"use strict";var n=r(493),o=r(6281);t.exports=function(t){var e=n(t,"string");return o(e)?e:e+""}},4904:(t,e,r)=>{"use strict";var n={};n[r(8655)("toStringTag")]="z",t.exports="[object z]"===String(n)},1139:(t,e,r)=>{"use strict";var n=r(8407),o=String;t.exports=function(t){if("Symbol"===n(t))throw new TypeError("Cannot convert a Symbol value to a string");return o(t)}},459:t=>{"use strict";var e=String;t.exports=function(t){try{return e(t)}catch(t){return"Object"}}},1268:(t,e,r)=>{"use strict";var n=r(6100),o=0,i=Math.random(),s=n(1..toString);t.exports=function(t){return"Symbol("+(void 0===t?"":t)+")_"+s(++o+i,36)}},7460:(t,e,r)=>{"use strict";var n=r(4603);t.exports=n&&!Symbol.sham&&"symbol"==typeof Symbol.iterator},1330:(t,e,r)=>{"use strict";var n=r(5024),o=r(1203);t.exports=n&&o((function(){return 42!==Object.defineProperty((function(){}),"prototype",{value:42,writable:!1}).prototype}))},1314:(t,e,r)=>{"use strict";var n=r(1063),o=r(2769),i=n.WeakMap;t.exports=o(i)&&/native code/.test(String(i))},8655:(t,e,r)=>{"use strict";var n=r(1063),o=r(8141),i=r(701),s=r(1268),c=r(4603),a=r(7460),u=n.Symbol,l=o("wks"),f=a?u.for||u:u&&u.withoutSetter||s;t.exports=function(t){return i(l,t)||(l[t]=c&&i(u,t)?u[t]:f("Symbol."+t)),l[t]}},6453:(t,e,r)=>{"use strict";var n=r(1003),o=r(701),i=r(3999),s=r(4317),c=r(3491),a=r(7464),u=r(5516),l=r(3507),f=r(4879),p=r(8148),y=r(4279),h=r(5024),g=r(4871);t.exports=function(t,e,r,d){var v="stackTraceLimit",m=d?2:1,b=t.split("."),x=b[b.length-1],S=n.apply(null,b);if(S){var w=S.prototype;if(!g&&o(w,"cause")&&delete w.cause,!r)return S;var O=n("Error"),j=e((function(t,e){var r=f(d?e:t,void 0),n=d?new S(t):new S;return void 0!==r&&i(n,"message",r),y(n,j,n.stack,2),this&&s(w,this)&&l(n,this,j),arguments.length>m&&p(n,arguments[m]),n}));if(j.prototype=w,"Error"!==x?c?c(j,O):a(j,O,{name:!0}):h&&v in S&&(u(j,S,v),u(j,S,"prepareStackTrace")),a(j,S),!g)try{w.name!==x&&i(w,"name",x),w.constructor=j}catch(t){}return j}}},6138:(t,e,r)=>{"use strict";var n=r(9098),o=r(1003),i=r(7013),s=r(1203),c=r(6453),a="AggregateError",u=o(a),l=!s((function(){return 1!==u([1]).errors[0]}))&&s((function(){return 7!==u([1],a,{cause:7}).cause}));n({global:!0,constructor:!0,arity:2,forced:l},{AggregateError:c(a,(function(t){return function(e,r){return i(t,this,arguments)}}),l,!0)})},3085:(t,e,r)=>{"use strict";var n=r(9098),o=r(4317),i=r(3671),s=r(3491),c=r(7464),a=r(5780),u=r(3999),l=r(480),f=r(8148),p=r(4279),y=r(208),h=r(4879),g=r(8655)("toStringTag"),d=Error,v=[].push,m=function(t,e){var r,n=o(b,this);s?r=s(new d,n?i(this):b):(r=n?this:a(b),u(r,g,"Error")),void 0!==e&&u(r,"message",h(e)),p(r,m,r.stack,1),arguments.length>2&&f(r,arguments[2]);var c=[];return y(t,v,{that:c}),u(r,"errors",c),r};s?s(m,d):c(m,d,{name:!0});var b=m.prototype=a(d.prototype,{constructor:l(1,m),message:l(1,""),name:l(1,"AggregateError")});n({global:!0,constructor:!0,arity:2},{AggregateError:m})},5695:(t,e,r)=>{"use strict";r(3085)},9828:(t,e,r)=>{"use strict";var n=r(3273),o=r(8137),i=r(6625),s=r(8417),c=r(9989).f,a=r(164),u=r(877),l=r(4871),f=r(5024),p="Array Iterator",y=s.set,h=s.getterFor(p);t.exports=a(Array,"Array",(function(t,e){y(this,{type:p,target:n(t),index:0,kind:e})}),(function(){var t=h(this),e=t.target,r=t.index++;if(!e||r>=e.length)return t.target=void 0,u(void 0,!0);switch(t.kind){case"keys":return u(r,!1);case"values":return u(e[r],!1)}return u([r,e[r]],!1)}),"values");var g=i.Arguments=i.Array;if(o("keys"),o("values"),o("entries"),!l&&f&&"values"!==g.name)try{c(g,"name",{value:"values"})}catch(t){}},484:(t,e,r)=>{"use strict";var n=r(9098),o=r(1063),i=r(7013),s=r(6453),c="WebAssembly",a=o[c],u=7!==new Error("e",{cause:7}).cause,l=function(t,e){var r={};r[t]=s(t,e,u),n({global:!0,constructor:!0,arity:1,forced:u},r)},f=function(t,e){if(a&&a[t]){var r={};r[t]=s(c+"."+t,e,u),n({target:c,stat:!0,constructor:!0,arity:1,forced:u},r)}};l("Error",(function(t){return function(e){return i(t,this,arguments)}})),l("EvalError",(function(t){return function(e){return i(t,this,arguments)}})),l("RangeError",(function(t){return function(e){return i(t,this,arguments)}})),l("ReferenceError",(function(t){return function(e){return i(t,this,arguments)}})),l("SyntaxError",(function(t){return function(e){return i(t,this,arguments)}})),l("TypeError",(function(t){return function(e){return i(t,this,arguments)}})),l("URIError",(function(t){return function(e){return i(t,this,arguments)}})),f("CompileError",(function(t){return function(e){return i(t,this,arguments)}})),f("LinkError",(function(t){return function(e){return i(t,this,arguments)}})),f("RuntimeError",(function(t){return function(e){return i(t,this,arguments)}}))},3832:(t,e,r)=>{"use strict";var n=r(5571).charAt,o=r(1139),i=r(8417),s=r(164),c=r(877),a="String Iterator",u=i.set,l=i.getterFor(a);s(String,"String",(function(t){u(this,{type:a,string:o(t),index:0})}),(function(){var t,e=l(this),r=e.string,o=e.index;return o>=r.length?c(void 0,!0):(t=n(r,o),e.index+=t.length,c(t,!1))}))},5442:(t,e,r)=>{"use strict";r(5695)},85:(t,e,r)=>{"use strict";r(9828);var n=r(1100),o=r(1063),i=r(1811),s=r(6625);for(var c in n)i(o[c],c),s[c]=s.Array},239:(t,e,r)=>{"use strict";r(5442);var n=r(6656);r(85),t.exports=n}},e={};function r(n){var o=e[n];if(void 0!==o)return o.exports;var i=e[n]={exports:{}};return t[n].call(i.exports,i,i.exports,r),i.exports}r.d=(t,e)=>{for(var n in e)r.o(e,n)&&!r.o(t,n)&&Object.defineProperty(t,n,{enumerable:!0,get:e[n]})},r.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),r.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),r.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})};var n={};return(()=>{"use strict";r.r(n),r.d(n,{BREAK:()=>bn,Error:()=>dn,JsonArray:()=>N,JsonDocument:()=>l,JsonEscapeSequence:()=>L,JsonFalse:()=>Y,JsonKey:()=>F,JsonNode:()=>e,JsonNull:()=>U,JsonNumber:()=>R,JsonObject:()=>k,JsonProperty:()=>P,JsonString:()=>C,JsonStringContent:()=>I,JsonTrue:()=>D,JsonValue:()=>M,Literal:()=>pn,ParseResult:()=>vn,Point:()=>yn,Position:()=>gn,YamlAlias:()=>_,YamlAnchor:()=>vt,YamlCollection:()=>G,YamlComment:()=>J,YamlDirective:()=>B,YamlDocument:()=>H,YamlError:()=>Pt,YamlFailsafeSchema:()=>nn,YamlJsonSchema:()=>un,YamlKeyValuePair:()=>ct,YamlMapping:()=>ut,YamlNode:()=>q,YamlNodeKind:()=>gt,YamlReferenceError:()=>ln,YamlReferenceManager:()=>fn,YamlScalar:()=>lt,YamlSchemaError:()=>Nt,YamlSequence:()=>pt,YamlStream:()=>ht,YamlStyle:()=>mt,YamlStyleGroup:()=>bt,YamlTag:()=>dt,YamlTagError:()=>Mt,cloneNode:()=>wn,getNodeType:()=>xn,getVisitFn:()=>mn,isJsonArray:()=>w,isJsonDocument:()=>d,isJsonEscapeSequence:()=>E,isJsonFalse:()=>m,isJsonKey:()=>T,isJsonNull:()=>x,isJsonNumber:()=>S,isJsonObject:()=>O,isJsonProperty:()=>A,isJsonString:()=>v,isJsonStringContent:()=>j,isJsonTrue:()=>b,isLiteral:()=>p,isNode:()=>Sn,isParseResult:()=>g,isPoint:()=>h,isPosition:()=>y,isYamlAlias:()=>nt,isYamlAnchor:()=>et,isYamlComment:()=>it,isYamlDirective:()=>ot,isYamlDocument:()=>W,isYamlKeyValuePair:()=>Z,isYamlMapping:()=>Q,isYamlScalar:()=>rt,isYamlSequence:()=>X,isYamlStream:()=>K,isYamlTag:()=>tt,mergeAllVisitors:()=>On,visit:()=>jn});const t=class{static type="node";type="node";isMissing;children;position;constructor({children:t=[],position:e,isMissing:r=!1}={}){this.type=this.constructor.type,this.isMissing=r,this.children=t,this.position=e}clone(){const t=Object.create(Object.getPrototypeOf(this));return Object.getOwnPropertyNames(this).forEach((e=>{const r=Object.getOwnPropertyDescriptor(this,e);Object.defineProperty(t,e,r)})),t}};const e=class extends t{};function o(t){return null!=t&&"object"==typeof t&&!0===t["@@functional/placeholder"]}function i(t){return function e(r){return 0===arguments.length||o(r)?e:t.apply(this,arguments)}}function s(t){return function e(r,n){switch(arguments.length){case 0:return e;case 1:return o(r)?e:i((function(e){return t(r,e)}));default:return o(r)&&o(n)?e:o(r)?i((function(e){return t(e,n)})):o(n)?i((function(e){return t(r,e)})):t(r,n)}}}function c(t){return"[object String]"===Object.prototype.toString.call(t)}const a=s((function(t,e){var r=t<0?e.length+t:t;return c(e)?e.charAt(r):e[r]}));const u=a(0);const l=class extends e{static type="document";get child(){return u(this.children)}},f=(t,e)=>null!=e&&"object"==typeof e&&"type"in e&&e.type===t,p=t=>f("literal",t),y=t=>f("position",t),h=t=>f("point",t),g=t=>f("parseResult",t),d=t=>f("document",t),v=t=>f("string",t),m=t=>f("false",t),b=t=>f("true",t),x=t=>f("null",t),S=t=>f("number",t),w=t=>f("array",t),O=t=>f("object",t),j=t=>f("stringContent",t),E=t=>f("escapeSequence",t),A=t=>f("property",t),T=t=>f("key",t);const k=class extends e{static type="object";get properties(){return this.children.filter(A)}};const P=class extends e{static type="property";get key(){return this.children.find(T)}get value(){return this.children.find((t=>m(t)||b(t)||x(t)||S(t)||v(t)||w(t)||O(t)))}};const N=class extends e{static type="array";get items(){return this.children.filter((t=>m(t)||b(t)||x(t)||S(t)||v(t)||w(t)||O))}};const M=class extends e{static type="value";value;constructor({value:t,...e}){super({...e}),this.value=t}};const C=class extends e{static type="string";get value(){if(1===this.children.length){return this.children[0].value}return this.children.filter((t=>j(t)||E(t))).reduce(((t,e)=>t+e.value),"")}};const F=class extends C{static type="key"};const I=class extends M{static type="stringContent"};const L=class extends M{static type="escapeSequence"};const R=class extends M{static type="number"};const D=class extends M{static type="true"};const Y=class extends M{static type="false"};const U=class extends M{static type="null"};const _=class extends t{static type="alias";content;constructor({content:t,...e}){super({...e}),this.content=t}};const q=class extends t{anchor;tag;style;styleGroup;constructor({anchor:t,tag:e,style:r,styleGroup:n,...o}){super({...o}),this.anchor=t,this.tag=e,this.style=r,this.styleGroup=n}};const G=class extends q{};const J=class extends t{static type="comment";content;constructor({content:t,...e}){super({...e}),this.content=t}};function $(t,e){return Object.prototype.hasOwnProperty.call(e,t)}const V="function"==typeof Object.assign?Object.assign:function(t){if(null==t)throw new TypeError("Cannot convert undefined or null to object");for(var e=Object(t),r=1,n=arguments.length;r<n;){var o=arguments[r];if(null!=o)for(var i in o)$(i,o)&&(e[i]=o[i]);r+=1}return e};const z=s((function(t,e){return V({},t,e)}));const B=class extends t{static type="directive";name;parameters;constructor({name:t,parameters:e,...r}){super({...r}),this.name=t,this.parameters=z({version:void 0,handle:void 0,prefix:void 0},e)}};const H=class extends t{static type="document"},K=t=>f("stream",t),W=t=>f("document",t),Q=t=>f("mapping",t),X=t=>f("sequence",t),Z=t=>f("keyValuePair",t),tt=t=>f("tag",t),et=t=>f("anchor",t),rt=t=>f("scalar",t),nt=t=>f("alias",t),ot=t=>f("directive",t),it=t=>f("comment",t);class st extends t{static type="keyValuePair";styleGroup;constructor({styleGroup:t,...e}){super({...e}),this.styleGroup=t}}Object.defineProperties(st.prototype,{key:{get(){return this.children.filter((t=>rt(t)||Q(t)||X(t)))[0]},enumerable:!0},value:{get(){const{key:t,children:e}=this;return e.filter((e=>(e=>e!==t)(e)&&(t=>rt(t)||Q(t)||X(t)||nt(t))(e)))[0]},enumerable:!0}});const ct=st;class at extends G{static type="mapping"}Object.defineProperty(at.prototype,"content",{get(){return Array.isArray(this.children)?this.children.filter(Z):[]},enumerable:!0});const ut=at;const lt=class extends q{static type="scalar";content;constructor({content:t,...e}){super({...e}),this.content=t}};class ft extends G{static type="sequence"}Object.defineProperty(ft.prototype,"content",{get(){const{children:t}=this;return Array.isArray(t)?t.filter((t=>X(t)||Q(t)||rt(t)||nt(t))):[]},enumerable:!0});const pt=ft;class yt extends t{static type="stream"}Object.defineProperty(yt.prototype,"content",{get(){return Array.isArray(this.children)?this.children.filter((t=>W(t)||it(t))):[]},enumerable:!0});const ht=yt;let gt=function(t){return t.Scalar="Scalar",t.Sequence="Sequence",t.Mapping="Mapping",t}({});const dt=class extends t{static type="tag";explicitName;kind;constructor({explicitName:t,kind:e,...r}){super({...r}),this.explicitName=t,this.kind=e}};const vt=class extends t{static type="anchor";name;constructor({name:t,...e}){super({...e}),this.name=t}};let mt=function(t){return t.Plain="Plain",t.SingleQuoted="SingleQuoted",t.DoubleQuoted="DoubleQuoted",t.Literal="Literal",t.Folded="Folded",t.Explicit="Explicit",t.SinglePair="SinglePair",t.NextLine="NextLine",t.InLine="InLine",t}({}),bt=function(t){return t.Flow="Flow",t.Block="Block",t}({});const xt=i((function(t){return null===t?"Null":void 0===t?"Undefined":Object.prototype.toString.call(t).slice(8,-1)}));function St(t,e,r){if(r||(r=new wt),function(t){var e=typeof t;return null==t||"object"!=e&&"function"!=e}(t))return t;var n,o=function(n){var o=r.get(t);if(o)return o;for(var i in r.set(t,n),t)Object.prototype.hasOwnProperty.call(t,i)&&(n[i]=e?St(t[i],!0,r):t[i]);return n};switch(xt(t)){case"Object":return o(Object.create(Object.getPrototypeOf(t)));case"Array":return o([]);case"Date":return new Date(t.valueOf());case"RegExp":return n=t,new RegExp(n.source,n.flags?n.flags:(n.global?"g":"")+(n.ignoreCase?"i":"")+(n.multiline?"m":"")+(n.sticky?"y":"")+(n.unicode?"u":"")+(n.dotAll?"s":""));case"Int8Array":case"Uint8Array":case"Uint8ClampedArray":case"Int16Array":case"Uint16Array":case"Int32Array":case"Uint32Array":case"Float32Array":case"Float64Array":case"BigInt64Array":case"BigUint64Array":return t.slice();default:return t}}var wt=function(){function t(){this.map={},this.length=0}return t.prototype.set=function(t,e){const r=this.hash(t);let n=this.map[r];n||(this.map[r]=n=[]),n.push([t,e]),this.length+=1},t.prototype.hash=function(t){let e=[];for(var r in t)e.push(Object.prototype.toString.call(t[r]));return e.join()},t.prototype.get=function(t){if(this.length<=180){for(const e in this.map){const r=this.map[e];for(let e=0;e<r.length;e+=1){const n=r[e];if(n[0]===t)return n[1]}}return}const e=this.hash(t),r=this.map[e];if(r)for(let e=0;e<r.length;e+=1){const n=r[e];if(n[0]===t)return n[1]}},t}();const Ot=i((function(t){return null!=t&&"function"==typeof t.clone?t.clone():St(t,!0)}));var jt=r(1212);const Et=class extends jt{constructor(t,e,r){if(super(t,e,r),this.name=this.constructor.name,"string"==typeof e&&(this.message=e),"function"==typeof Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=new Error(e).stack,null!=r&&"object"==typeof r&&Object.hasOwn(r,"cause")&&!("cause"in this)){const{cause:t}=r;this.cause=t,t instanceof Error&&"stack"in t&&(this.stack=`${this.stack}\nCAUSE: ${t.stack}`)}}};class At extends Error{static[Symbol.hasInstance](t){return super[Symbol.hasInstance](t)||Function.prototype[Symbol.hasInstance].call(Et,t)}constructor(t,e){if(super(t,e),this.name=this.constructor.name,"string"==typeof t&&(this.message=t),"function"==typeof Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=new Error(t).stack,null!=e&&"object"==typeof e&&Object.hasOwn(e,"cause")&&!("cause"in this)){const{cause:t}=e;this.cause=t,t instanceof Error&&"stack"in t&&(this.stack=`${this.stack}\nCAUSE: ${t.stack}`)}}}const Tt=At;const kt=class extends Tt{constructor(t,e){if(super(t,e),null!=e&&"object"==typeof e){const{cause:t,...r}=e;Object.assign(this,r)}}};const Pt=class extends kt{};const Nt=class extends Pt{};const Mt=class extends Nt{specificTagName;explicitTagName;tagKind;tagPosition;nodeCanonicalContent;node;constructor(t,e){super(t,e),void 0!==e&&(this.specificTagName=e.specificTagName,this.explicitTagName=e.explicitTagName,this.tagKind=e.tagKind,this.tagPosition=e.tagPosition,this.nodeCanonicalContent=e.nodeCanonicalContent,this.node=e.node)}};const Ct=class{static uri="";tag="";constructor(){this.tag=this.constructor.uri}test(t){return!0}resolve(t){return t}};const Ft=class extends Ct{static uri="tag:yaml.org,2002:map";test(t){return t.tag.kind===gt.Mapping}};const It=class extends Ct{static uri="tag:yaml.org,2002:seq";test(t){return t.tag.kind===gt.Sequence}};const Lt=class extends Ct{static uri="tag:yaml.org,2002:str"};function Rt(t){return function e(r,n,c){switch(arguments.length){case 0:return e;case 1:return o(r)?e:s((function(e,n){return t(r,e,n)}));case 2:return o(r)&&o(n)?e:o(r)?s((function(e,r){return t(e,n,r)})):o(n)?s((function(e,n){return t(r,e,n)})):i((function(e){return t(r,n,e)}));default:return o(r)&&o(n)&&o(c)?e:o(r)&&o(n)?s((function(e,r){return t(e,r,c)})):o(r)&&o(c)?s((function(e,r){return t(e,n,r)})):o(n)&&o(c)?s((function(e,n){return t(r,e,n)})):o(r)?i((function(e){return t(e,n,c)})):o(n)?i((function(e){return t(r,e,c)})):o(c)?i((function(e){return t(r,n,e)})):t(r,n,c)}}}const Dt=s((function(t,e){return null==e||e!=e?t:e})),Yt=Number.isInteger||function(t){return t<<0===t};const Ut=s((function(t,e){return t.map((function(t){for(var r,n=e,o=0;o<t.length;){if(null==n)return;r=t[o],n=Yt(r)?a(r,n):n[r],o+=1}return n}))}));const _t=s((function(t,e){return Ut([t],e)[0]}));const qt=Rt((function(t,e,r){return Dt(t,_t(e,r))}));function Gt(t,e){switch(t){case 0:return function(){return e.apply(this,arguments)};case 1:return function(t){return e.apply(this,arguments)};case 2:return function(t,r){return e.apply(this,arguments)};case 3:return function(t,r,n){return e.apply(this,arguments)};case 4:return function(t,r,n,o){return e.apply(this,arguments)};case 5:return function(t,r,n,o,i){return e.apply(this,arguments)};case 6:return function(t,r,n,o,i,s){return e.apply(this,arguments)};case 7:return function(t,r,n,o,i,s,c){return e.apply(this,arguments)};case 8:return function(t,r,n,o,i,s,c,a){return e.apply(this,arguments)};case 9:return function(t,r,n,o,i,s,c,a,u){return e.apply(this,arguments)};case 10:return function(t,r,n,o,i,s,c,a,u,l){return e.apply(this,arguments)};default:throw new Error("First argument to _arity must be a non-negative integer no greater than ten")}}function Jt(t,e,r){return function(){for(var n=[],i=0,s=t,c=0,a=!1;c<e.length||i<arguments.length;){var u;c<e.length&&(!o(e[c])||i>=arguments.length)?u=e[c]:(u=arguments[i],i+=1),n[c]=u,o(u)?a=!0:s-=1,c+=1}return!a&&s<=0?r.apply(this,n):Gt(Math.max(0,s),Jt(t,n,r))}}const $t=s((function(t,e){return 1===t?i(e):Gt(t,Jt(t,[],e))}));const Vt=i((function(t){return $t(t.length,t)}));function zt(t,e){return function(){return e.call(this,t.apply(this,arguments))}}const Bt=Array.isArray||function(t){return null!=t&&t.length>=0&&"[object Array]"===Object.prototype.toString.call(t)};const Ht=i((function(t){return!!Bt(t)||!!t&&("object"==typeof t&&(!c(t)&&(0===t.length||t.length>0&&(t.hasOwnProperty(0)&&t.hasOwnProperty(t.length-1)))))}));var Kt="undefined"!=typeof Symbol?Symbol.iterator:"@@iterator";function Wt(t,e,r){return function(n,o,i){if(Ht(i))return t(n,o,i);if(null==i)return o;if("function"==typeof i["fantasy-land/reduce"])return e(n,o,i,"fantasy-land/reduce");if(null!=i[Kt])return r(n,o,i[Kt]());if("function"==typeof i.next)return r(n,o,i);if("function"==typeof i.reduce)return e(n,o,i,"reduce");throw new TypeError("reduce: list must be array or iterable")}}function Qt(t,e,r){for(var n=0,o=r.length;n<o;){if((e=t["@@transducer/step"](e,r[n]))&&e["@@transducer/reduced"]){e=e["@@transducer/value"];break}n+=1}return t["@@transducer/result"](e)}const Xt=s((function(t,e){return Gt(t.length,(function(){return t.apply(e,arguments)}))}));function Zt(t,e,r){for(var n=r.next();!n.done;){if((e=t["@@transducer/step"](e,n.value))&&e["@@transducer/reduced"]){e=e["@@transducer/value"];break}n=r.next()}return t["@@transducer/result"](e)}function te(t,e,r,n){return t["@@transducer/result"](r[n](Xt(t["@@transducer/step"],t),e))}const ee=Wt(Qt,te,Zt);var re=function(){function t(t){this.f=t}return t.prototype["@@transducer/init"]=function(){throw new Error("init not implemented on XWrap")},t.prototype["@@transducer/result"]=function(t){return t},t.prototype["@@transducer/step"]=function(t,e){return this.f(t,e)},t}();function ne(t){return new re(t)}const oe=Rt((function(t,e,r){return ee("function"==typeof t?ne(t):t,e,r)}));function ie(t,e){return function(){var r=arguments.length;if(0===r)return e();var n=arguments[r-1];return Bt(n)||"function"!=typeof n[t]?e.apply(this,arguments):n[t].apply(n,Array.prototype.slice.call(arguments,0,r-1))}}const se=Rt(ie("slice",(function(t,e,r){return Array.prototype.slice.call(r,t,e)})));const ce=i(ie("tail",se(1,1/0)));function ae(){if(0===arguments.length)throw new Error("pipe requires at least one argument");return Gt(arguments[0].length,oe(zt,arguments[0],ce(arguments)))}var ue="\t\n\v\f\r                 \u2028\u2029\ufeff";const le=i("function"==typeof String.prototype.trim&&!ue.trim()&&"​".trim()?function(t){return t.trim()}:function(t){var e=new RegExp("^["+ue+"]["+ue+"]*"),r=new RegExp("["+ue+"]["+ue+"]*$");return t.replace(e,"").replace(r,"")});function fe(t){var e=Object.prototype.toString.call(t);return"[object Function]"===e||"[object AsyncFunction]"===e||"[object GeneratorFunction]"===e||"[object AsyncGeneratorFunction]"===e}function pe(t){for(var e,r=[];!(e=t.next()).done;)r.push(e.value);return r}function ye(t,e,r){for(var n=0,o=r.length;n<o;){if(t(e,r[n]))return!0;n+=1}return!1}const he="function"==typeof Object.is?Object.is:function(t,e){return t===e?0!==t||1/t==1/e:t!=t&&e!=e};var ge=Object.prototype.toString;const de=function(){return"[object Arguments]"===ge.call(arguments)?function(t){return"[object Arguments]"===ge.call(t)}:function(t){return $("callee",t)}}();var ve=!{toString:null}.propertyIsEnumerable("toString"),me=["constructor","valueOf","isPrototypeOf","toString","propertyIsEnumerable","hasOwnProperty","toLocaleString"],be=function(){return arguments.propertyIsEnumerable("length")}(),xe=function(t,e){for(var r=0;r<t.length;){if(t[r]===e)return!0;r+=1}return!1},Se="function"!=typeof Object.keys||be?i((function(t){if(Object(t)!==t)return[];var e,r,n=[],o=be&&de(t);for(e in t)!$(e,t)||o&&"length"===e||(n[n.length]=e);if(ve)for(r=me.length-1;r>=0;)$(e=me[r],t)&&!xe(n,e)&&(n[n.length]=e),r-=1;return n})):i((function(t){return Object(t)!==t?[]:Object.keys(t)}));const we=Se;function Oe(t,e,r,n){var o=pe(t);function i(t,e){return je(t,e,r.slice(),n.slice())}return!ye((function(t,e){return!ye(i,e,t)}),pe(e),o)}function je(t,e,r,n){if(he(t,e))return!0;var o,i,s=xt(t);if(s!==xt(e))return!1;if("function"==typeof t["fantasy-land/equals"]||"function"==typeof e["fantasy-land/equals"])return"function"==typeof t["fantasy-land/equals"]&&t["fantasy-land/equals"](e)&&"function"==typeof e["fantasy-land/equals"]&&e["fantasy-land/equals"](t);if("function"==typeof t.equals||"function"==typeof e.equals)return"function"==typeof t.equals&&t.equals(e)&&"function"==typeof e.equals&&e.equals(t);switch(s){case"Arguments":case"Array":case"Object":if("function"==typeof t.constructor&&"Promise"===(o=t.constructor,null==(i=String(o).match(/^function (\w*)/))?"":i[1]))return t===e;break;case"Boolean":case"Number":case"String":if(typeof t!=typeof e||!he(t.valueOf(),e.valueOf()))return!1;break;case"Date":if(!he(t.valueOf(),e.valueOf()))return!1;break;case"Error":return t.name===e.name&&t.message===e.message;case"RegExp":if(t.source!==e.source||t.global!==e.global||t.ignoreCase!==e.ignoreCase||t.multiline!==e.multiline||t.sticky!==e.sticky||t.unicode!==e.unicode)return!1}for(var c=r.length-1;c>=0;){if(r[c]===t)return n[c]===e;c-=1}switch(s){case"Map":return t.size===e.size&&Oe(t.entries(),e.entries(),r.concat([t]),n.concat([e]));case"Set":return t.size===e.size&&Oe(t.values(),e.values(),r.concat([t]),n.concat([e]));case"Arguments":case"Array":case"Object":case"Boolean":case"Number":case"String":case"Date":case"Error":case"RegExp":case"Int8Array":case"Uint8Array":case"Uint8ClampedArray":case"Int16Array":case"Uint16Array":case"Int32Array":case"Uint32Array":case"Float32Array":case"Float64Array":case"ArrayBuffer":break;default:return!1}var a=we(t);if(a.length!==we(e).length)return!1;var u=r.concat([t]),l=n.concat([e]);for(c=a.length-1;c>=0;){var f=a[c];if(!$(f,e)||!je(e[f],t[f],u,l))return!1;c-=1}return!0}const Ee=s((function(t,e){return je(t,e,[],[])}));function Ae(t,e){return function(t,e,r){var n,o;if("function"==typeof t.indexOf)switch(typeof e){case"number":if(0===e){for(n=1/e;r<t.length;){if(0===(o=t[r])&&1/o===n)return r;r+=1}return-1}if(e!=e){for(;r<t.length;){if("number"==typeof(o=t[r])&&o!=o)return r;r+=1}return-1}return t.indexOf(e,r);case"string":case"boolean":case"function":case"undefined":return t.indexOf(e,r);case"object":if(null===e)return t.indexOf(e,r)}for(;r<t.length;){if(Ee(t[r],e))return r;r+=1}return-1}(e,t,0)>=0}function Te(t,e){for(var r=0,n=e.length,o=Array(n);r<n;)o[r]=t(e[r]),r+=1;return o}function ke(t){return'"'+t.replace(/\\/g,"\\\\").replace(/[\b]/g,"\\b").replace(/\f/g,"\\f").replace(/\n/g,"\\n").replace(/\r/g,"\\r").replace(/\t/g,"\\t").replace(/\v/g,"\\v").replace(/\0/g,"\\0").replace(/"/g,'\\"')+'"'}var Pe=function(t){return(t<10?"0":"")+t};const Ne="function"==typeof Date.prototype.toISOString?function(t){return t.toISOString()}:function(t){return t.getUTCFullYear()+"-"+Pe(t.getUTCMonth()+1)+"-"+Pe(t.getUTCDate())+"T"+Pe(t.getUTCHours())+":"+Pe(t.getUTCMinutes())+":"+Pe(t.getUTCSeconds())+"."+(t.getUTCMilliseconds()/1e3).toFixed(3).slice(2,5)+"Z"};function Me(t,e,r){for(var n=0,o=r.length;n<o;)e=t(e,r[n]),n+=1;return e}function Ce(t,e,r){return function(){if(0===arguments.length)return r();var n=arguments[arguments.length-1];if(!Bt(n)){for(var o=0;o<t.length;){if("function"==typeof n[t[o]])return n[t[o]].apply(n,Array.prototype.slice.call(arguments,0,-1));o+=1}if(function(t){return null!=t&&"function"==typeof t["@@transducer/step"]}(n))return e.apply(null,Array.prototype.slice.call(arguments,0,-1))(n)}return r.apply(this,arguments)}}const Fe=function(){return this.xf["@@transducer/init"]()},Ie=function(t){return this.xf["@@transducer/result"](t)};var Le=function(){function t(t,e){this.xf=e,this.f=t}return t.prototype["@@transducer/init"]=Fe,t.prototype["@@transducer/result"]=Ie,t.prototype["@@transducer/step"]=function(t,e){return this.f(e)?this.xf["@@transducer/step"](t,e):t},t}();function Re(t){return function(e){return new Le(t,e)}}const De=s(Ce(["fantasy-land/filter","filter"],Re,(function(t,e){return r=e,"[object Object]"===Object.prototype.toString.call(r)?Me((function(r,n){return t(e[n])&&(r[n]=e[n]),r}),{},we(e)):function(t,e){for(var r=0,n=e.length,o=[];r<n;)t(e[r])&&(o[o.length]=e[r]),r+=1;return o}(t,e);var r})));const Ye=s((function(t,e){return De((r=t,function(){return!r.apply(this,arguments)}),e);var r}));function Ue(t,e){var r=function(r){var n=e.concat([t]);return Ae(r,n)?"<Circular>":Ue(r,n)},n=function(t,e){return Te((function(e){return ke(e)+": "+r(t[e])}),e.slice().sort())};switch(Object.prototype.toString.call(t)){case"[object Arguments]":return"(function() { return arguments; }("+Te(r,t).join(", ")+"))";case"[object Array]":return"["+Te(r,t).concat(n(t,Ye((function(t){return/^\d+$/.test(t)}),we(t)))).join(", ")+"]";case"[object Boolean]":return"object"==typeof t?"new Boolean("+r(t.valueOf())+")":t.toString();case"[object Date]":return"new Date("+(isNaN(t.valueOf())?r(NaN):ke(Ne(t)))+")";case"[object Map]":return"new Map("+r(Array.from(t))+")";case"[object Null]":return"null";case"[object Number]":return"object"==typeof t?"new Number("+r(t.valueOf())+")":1/t==-1/0?"-0":t.toString(10);case"[object Set]":return"new Set("+r(Array.from(t).sort())+")";case"[object String]":return"object"==typeof t?"new String("+r(t.valueOf())+")":ke(t);case"[object Undefined]":return"undefined";default:if("function"==typeof t.toString){var o=t.toString();if("[object Object]"!==o)return o}return"{"+n(t,we(t)).join(", ")+"}"}}const _e=i((function(t){return Ue(t,[])}));const qe=s((function(t,e){return $t(t+1,(function(){var r=arguments[t];if(null!=r&&fe(r[e]))return r[e].apply(r,Array.prototype.slice.call(arguments,0,t));throw new TypeError(_e(r)+' does not have a method named "'+e+'"')}))}));const Ge=qe(1,"split");var Je=function(){function t(t,e){this.xf=e,this.f=t}return t.prototype["@@transducer/init"]=Fe,t.prototype["@@transducer/result"]=Ie,t.prototype["@@transducer/step"]=function(t,e){return this.xf["@@transducer/step"](t,this.f(e))},t}();const $e=s(Ce(["fantasy-land/map","map"],(function(t){return function(e){return new Je(t,e)}}),(function(t,e){switch(Object.prototype.toString.call(e)){case"[object Function]":return $t(e.length,(function(){return t.call(this,e.apply(this,arguments))}));case"[object Object]":return Me((function(r,n){return r[n]=t(e[n]),r}),{},we(e));default:return Te(t,e)}})));const Ve=qe(1,"join");const ze=i((function(t){return c(t)?t.split("").reverse().join(""):Array.prototype.slice.call(t,0).reverse()}));function Be(){if(0===arguments.length)throw new Error("compose requires at least one argument");return ae.apply(this,ze(arguments))}const He=$t(4,(function(t,e,r,n){return ee(t("function"==typeof e?ne(e):e),r,n)}));const Ke=s((function(t,e){if(Bt(t)){if(Bt(e))return t.concat(e);throw new TypeError(_e(e)+" is not an array")}if(c(t)){if(c(e))return t+e;throw new TypeError(_e(e)+" is not a string")}if(null!=t&&fe(t["fantasy-land/concat"]))return t["fantasy-land/concat"](e);if(null!=t&&fe(t.concat))return t.concat(e);throw new TypeError(_e(t)+' does not have a method named "concat" or "fantasy-land/concat"')}));const We=Ee("");const Qe=s((function(t,e){if(t===e)return e;function r(t,e){if(t>e!=e>t)return e>t?e:t}var n=r(t,e);if(void 0!==n)return n;var o=r(typeof t,typeof e);if(void 0!==o)return o===typeof t?t:e;var i=_e(t),s=r(i,_e(e));return void 0!==s&&s===i?t:e}));const Xe=s((function(t,e){if(null!=e)return Yt(t)?a(t,e):e[t]}));const Ze=s((function(t,e){return $e(Xe(t),e)}));const tr=i((function(t){return $t(oe(Qe,0,Ze("length",t)),(function(){for(var e=0,r=t.length;e<r;){if(t[e].apply(this,arguments))return!0;e+=1}return!1}))}));var er=function(t,e){switch(arguments.length){case 0:return er;case 1:return function e(r){return 0===arguments.length?e:he(t,r)};default:return he(t,e)}};const rr=er;const nr=$t(1,ae(xt,rr("GeneratorFunction")));const or=$t(1,ae(xt,rr("AsyncFunction")));const ir=tr([ae(xt,rr("Function")),nr,or]);const sr=s((function(t,e){return t&&e}));function cr(t,e,r){for(var n=r.next();!n.done;)e=t(e,n.value),n=r.next();return e}function ar(t,e,r,n){return r[n](t,e)}const ur=Wt(Me,ar,cr);const lr=s((function(t,e){return"function"==typeof e["fantasy-land/ap"]?e["fantasy-land/ap"](t):"function"==typeof t.ap?t.ap(e):"function"==typeof t?function(r){return t(r)(e(r))}:ur((function(t,r){return function(t,e){var r;e=e||[];var n=(t=t||[]).length,o=e.length,i=[];for(r=0;r<n;)i[i.length]=t[r],r+=1;for(r=0;r<o;)i[i.length]=e[r],r+=1;return i}(t,$e(r,e))}),[],t)}));const fr=s((function(t,e){var r=$t(t,e);return $t(t,(function(){return Me(lr,$e(r,arguments[0]),Array.prototype.slice.call(arguments,1))}))}));const pr=i((function(t){return fr(t.length,t)}));const yr=s((function(t,e){return fe(t)?function(){return t.apply(this,arguments)&&e.apply(this,arguments)}:pr(sr)(t,e)}));const hr=s((function(t,e){return $t(oe(Qe,0,Ze("length",e)),(function(){var r=arguments,n=this;return t.apply(n,Te((function(t){return t.apply(n,r)}),e))}))}));function gr(t){return t}const dr=i(gr);const vr=$t(1,ae(xt,rr("Number")));var mr=yr(vr,isFinite);var br=$t(1,mr);const xr=ir(Number.isFinite)?$t(1,Xt(Number.isFinite,Number)):br;var Sr=yr(xr,hr(Ee,[Math.floor,dr]));var wr=$t(1,Sr);const Or=ir(Number.isInteger)?$t(1,Xt(Number.isInteger,Number)):wr;const jr=i((function(t){return $t(t.length,(function(e,r){var n=Array.prototype.slice.call(arguments,0);return n[0]=r,n[1]=e,t.apply(this,n)}))}));const Er=pr(i((function(t){return!t})))(xr);const Ar=$t(1,yr(vr,s((function(t,e){return t>e}))(0)));var Tr=Vt((function(t,e){var r=Number(e);if(r!==e&&(r=0),Ar(r))throw new RangeError("repeat count must be non-negative");if(Er(r))throw new RangeError("repeat count must be less than infinity");if(r=Math.floor(r),0===t.length||0===r)return"";if(t.length*r>=1<<28)throw new RangeError("repeat count must not overflow maximum string size");var n=t.length*r;r=Math.floor(Math.log(r)/Math.log(2));for(var o=t;r;)o+=t,r-=1;return o+=o.substring(0,n-o.length)})),kr=jr(qe(1,"repeat"));const Pr=ir(String.prototype.repeat)?kr:Tr;var Nr=i((function(t){return function(){return t}}))(void 0);const Mr=Ee(Nr());const Cr=Rt((function(t,e,r){return r.replace(t,e)}));var Fr=Cr(/[\s\uFEFF\xA0]+$/,""),Ir=qe(0,"trimEnd");const Lr=ir(String.prototype.trimEnd)?Ir:Fr;var Rr=Cr(/^[\s\uFEFF\xA0]+/,""),Dr=qe(0,"trimStart");const Yr=ir(String.prototype.trimStart)?Dr:Rr;var Ur=function(){function t(t,e){this.xf=e,this.f=t}return t.prototype["@@transducer/init"]=Fe,t.prototype["@@transducer/result"]=Ie,t.prototype["@@transducer/step"]=function(t,e){if(this.f){if(this.f(e))return t;this.f=null}return this.xf["@@transducer/step"](t,e)},t}();function _r(t){return function(e){return new Ur(t,e)}}const qr=s(Ce(["dropWhile"],_r,(function(t,e){for(var r=0,n=e.length;r<n&&t(e[r]);)r+=1;return se(r,1/0,e)})));const Gr=jr(s(Ae));const Jr=Vt((function(t,e){return ae(Ge(""),qr(Gr(t)),Ve(""))(e)}));const $r=jr(Ke);var Vr=r(6850);const zr=/^(?<style>[|>])(?<chomping>[+-]?)(?<indentation>[0-9]*)\s/,Br=t=>{const e=(t=>{const e=t.match(zr),r=qt("",["groups","indentation"],e);return We(r)?void 0:parseInt(r,10)})(t);if(Or(e))return Pr(" ",e);const r=qt("",[1],t.split("\n")),n=qt(0,["groups","indentation","length"],r.match(/^(?<indentation>[ ]*)/));return Pr(" ",n)},Hr=t=>{const e=t.match(zr),r=qt("",["groups","chomping"],e);return We(r)?void 0:r},Kr=(t,e)=>Mr(t)?`${Lr(e)}\n`:"-"===t?Lr(e):e,Wr=t=>t.replace(/\r\n/g,"\n"),Qr=t=>t.replace(/(\n)?\n([^\n]+)/g,((t,e,r)=>e?t:` ${r.trimStart()}`)).replace(/[\n]{2}/g,"\n"),Xr=Vt(((t,e)=>e.replace(new RegExp(`^${t}`),"").replace(new RegExp(`${t}$`),""))),Zr=ae(Wr,le,Qr,Ge("\n"),$e(Yr),Ve("\n")),tn=ae(Wr,le,Qr,Ge("\n"),$e(Yr),Ve("\n"),Xr("'")),en=ae(Wr,le,(t=>t.replace(/\\\n\s*/g,"")),Qr,Vr.MH,Ge("\n"),$e(Yr),Ve("\n"),Xr('"'));const rn=class{static test(t){return t.tag.kind===gt.Scalar&&"string"==typeof t.content}static canonicalFormat(t){let e=t.content;const r=t.clone();return t.style===mt.Plain?e=Zr(t.content):t.style===mt.SingleQuoted?e=tn(t.content):t.style===mt.DoubleQuoted?e=en(t.content):t.style===mt.Literal?e=(t=>{const e=Br(t),r=Hr(t),n=Wr(t),o=ce(n.split("\n")),i=Be($e(Jr(e)),$e($r("\n"))),s=He(i,Ke,"",o);return Kr(r,s)})(t.content):t.style===mt.Folded&&(e=(t=>{const e=Br(t),r=Hr(t),n=Wr(t),o=ce(n.split("\n")),i=Be($e(Jr(e)),$e($r("\n"))),s=He(i,Ke,"",o),c=Qr(s);return Kr(r,c)})(t.content)),r.content=e,r}static resolve(t){return t}};const nn=class{tags;tagDirectives;constructor(){this.tags=[],this.tagDirectives=[],this.registerTag(new Ft),this.registerTag(new It),this.registerTag(new Lt)}toSpecificTagName(t){let e=t.tag.explicitName;return"!"===t.tag.explicitName?t.tag.kind===gt.Scalar?e=Lt.uri:t.tag.kind===gt.Sequence?e=It.uri:t.tag.kind===gt.Mapping&&(e=Ft.uri):t.tag.explicitName.startsWith("!<")?e=t.tag.explicitName.replace(/^!</,"").replace(/>$/,""):t.tag.explicitName.startsWith("!!")&&(e=`tag:yaml.org,2002:${t.tag.explicitName.replace(/^!!/,"")}`),e}registerTagDirective(t){this.tagDirectives.push({handle:t.parameters.handle,prefix:t.parameters.prefix})}registerTag(t,e=!1){return e?this.tags.unshift(t):this.tags.push(t),this}overrideTag(t){return this.tags=this.tags.filter((e=>e.tag===t.tag)),this.tags.push(t),this}resolve(t){const e=this.toSpecificTagName(t);if("?"===e)return t;let r=t;rn.test(t)&&(r=rn.canonicalFormat(t));const n=this.tags.find((t=>t?.tag===e));if(void 0===n)throw new Mt(`Tag "${e}" was not recognized.`,{specificTagName:e,explicitTagName:t.tag.explicitName,tagKind:t.tag.kind,tagPosition:Ot(t.tag.position),node:t.clone()});if(!n.test(r))throw new Mt(`Node couldn't be resolved against the tag "${e}"`,{specificTagName:e,explicitTagName:t.tag.explicitName,tagKind:t.tag.kind,tagPosition:Ot(t.tag.position),nodeCanonicalContent:r.content,node:t.clone()});return n.resolve(r)}};const on=class extends Ct{static uri="tag:yaml.org,2002:bool";test(t){return/^(true|false)$/.test(t.content)}resolve(t){const e="true"===t.content,r=t.clone();return r.content=e,r}};const sn=class extends Ct{static uri="tag:yaml.org,2002:float";test(t){return/^-?(0|[1-9][0-9]*)(\.[0-9]*)?([eE][-+]?[0-9]+)?$/.test(t.content)}resolve(t){const e=parseFloat(t.content),r=t.clone();return r.content=e,r}};const cn=class extends Ct{static uri="tag:yaml.org,2002:int";test(t){return/^-?(0|[1-9][0-9]*)$/.test(t.content)}resolve(t){const e=parseInt(t.content,10),r=t.clone();return r.content=e,r}};const an=class extends Ct{static uri="tag:yaml.org,2002:null";test(t){return/^null$/.test(t.content)}resolve(t){const e=t.clone();return e.content=null,e}};const un=class extends nn{constructor(){super(),this.registerTag(new on,!0),this.registerTag(new sn,!0),this.registerTag(new cn,!0),this.registerTag(new an,!0)}toSpecificTagName(t){let e=super.toSpecificTagName(t);if("?"===e)if(t.tag.vkind===gt.Sequence)e=It.uri;else if(t.tag.kind===gt.Mapping)e=Ft.uri;else if(t.tag.kind===gt.Scalar){const r=this.tags.find((e=>e.test(t)));e=r?.tag||"?"}return e}};const ln=class extends Pt{};const fn=class{addAnchor(t){if(!et(t.anchor))throw new ln("Expected YAML anchor to be attached the the YAML AST node.",{node:t})}resolveAlias(t){return new lt({content:t.content,style:mt.Plain,styleGroup:bt.Flow})}};const pn=class extends t{static type="literal";value;constructor({value:t,...e}={}){super({...e}),this.value=t}};class yn{static type="point";type=yn.type;row;column;char;constructor({row:t,column:e,char:r}){this.row=t,this.column=e,this.char=r}}class hn{static type="position";type=hn.type;start;end;constructor({start:t,end:e}){this.start=t,this.end=e}}const gn=hn;const dn=class extends t{static type="error";value;isUnexpected;constructor({value:t,isUnexpected:e=!1,...r}={}){super({...r}),this.value=t,this.isUnexpected=e}};const vn=class extends t{static type="parseResult";get rootNode(){return u(this.children)}},mn=(t,e,r)=>{const n=t[e];if(null!=n){if(!r&&"function"==typeof n)return n;const t=r?n.leave:n.enter;if("function"==typeof t)return t}else{const n=r?t.leave:t.enter;if(null!=n){if("function"==typeof n)return n;const t=n[e];if("function"==typeof t)return t}}return null},bn={},xn=t=>t?.type,Sn=t=>"string"==typeof xn(t),wn=t=>Object.create(Object.getPrototypeOf(t),Object.getOwnPropertyDescriptors(t)),On=(t,{visitFnGetter:e=mn,nodeTypeGetter:r=xn,breakSymbol:n=bn,deleteNodeSymbol:o=null,skipVisitingNodeSymbol:i=!1,exposeEdits:s=!1}={})=>{const c=Symbol("skip"),a=new Array(t.length).fill(c);return{enter(u,...l){let f=u,p=!1;for(let y=0;y<t.length;y+=1)if(a[y]===c){const c=e(t[y],r(f),!1);if("function"==typeof c){const e=c.call(t[y],f,...l);if(e===i)a[y]=u;else if(e===n)a[y]=n;else{if(e===o)return e;if(void 0!==e){if(!s)return e;f=e,p=!0}}}}return p?f:void 0},leave(o,...s){for(let u=0;u<t.length;u+=1)if(a[u]===c){const c=e(t[u],r(o),!0);if("function"==typeof c){const e=c.call(t[u],o,...s);if(e===n)a[u]=n;else if(void 0!==e&&e!==i)return e}}else a[u]===o&&(a[u]=c)}}},jn=(t,e,{keyMap:r=null,state:n={},breakSymbol:o=bn,deleteNodeSymbol:i=null,skipVisitingNodeSymbol:s=!1,visitFnGetter:c=mn,nodeTypeGetter:a=xn,nodePredicate:u=Sn,nodeCloneFn:l=wn,detectCycles:f=!0}={})=>{const p=r||{};let y,h,g=Array.isArray(t),d=[t],v=-1,m=[],b=t;const x=[],S=[];do{v+=1;const t=v===d.length;let r;const w=t&&0!==m.length;if(t){if(r=0===S.length?void 0:x.pop(),b=h,h=S.pop(),w)if(g){b=b.slice();let t=0;for(const[e,r]of m){const n=e-t;r===i?(b.splice(n,1),t+=1):b[n]=r}}else{b=l(b);for(const[t,e]of m)b[t]=e}v=y.index,d=y.keys,m=y.edits,g=y.inArray,y=y.prev}else if(h!==i&&void 0!==h){if(r=g?v:d[v],b=h[r],b===i||void 0===b)continue;x.push(r)}let O;if(!Array.isArray(b)){if(!u(b))throw new kt(`Invalid AST Node: ${String(b)}`,{node:b});if(f&&S.includes(b)){x.pop();continue}const i=c(e,a(b),t);if(i){for(const[t,r]of Object.entries(n))e[t]=r;O=i.call(e,b,r,h,x,S)}if(O===o)break;if(O===s){if(!t){x.pop();continue}}else if(void 0!==O&&(m.push([r,O]),!t)){if(!u(O)){x.pop();continue}b=O}}void 0===O&&w&&m.push([r,b]),t||(y={inArray:g,index:v,keys:d,edits:m,prev:y},g=Array.isArray(b),d=g?b:p[a(b)]??[],v=-1,m=[],h!==i&&void 0!==h&&S.push(h),h=b)}while(void 0!==y);return 0!==m.length?m[m.length-1][1]:t};jn[Symbol.for("nodejs.util.promisify.custom")]=async(t,e,{keyMap:r=null,state:n={},breakSymbol:o=bn,deleteNodeSymbol:i=null,skipVisitingNodeSymbol:s=!1,visitFnGetter:c=mn,nodeTypeGetter:a=xn,nodePredicate:u=Sn,nodeCloneFn:l=wn,detectCycles:f=!0}={})=>{const p=r||{};let y,h,g=Array.isArray(t),d=[t],v=-1,m=[],b=t;const x=[],S=[];do{v+=1;const t=v===d.length;let r;const w=t&&0!==m.length;if(t){if(r=0===S.length?void 0:x.pop(),b=h,h=S.pop(),w)if(g){b=b.slice();let t=0;for(const[e,r]of m){const n=e-t;r===i?(b.splice(n,1),t+=1):b[n]=r}}else{b=l(b);for(const[t,e]of m)b[t]=e}v=y.index,d=y.keys,m=y.edits,g=y.inArray,y=y.prev}else if(h!==i&&void 0!==h){if(r=g?v:d[v],b=h[r],b===i||void 0===b)continue;x.push(r)}let O;if(!Array.isArray(b)){if(!u(b))throw new kt(`Invalid AST Node: ${String(b)}`,{node:b});if(f&&S.includes(b)){x.pop();continue}const i=c(e,a(b),t);if(i){for(const[t,r]of Object.entries(n))e[t]=r;O=await i.call(e,b,r,h,x,S)}if(O===o)break;if(O===s){if(!t){x.pop();continue}}else if(void 0!==O&&(m.push([r,O]),!t)){if(!u(O)){x.pop();continue}b=O}}void 0===O&&w&&m.push([r,b]),t||(y={inArray:g,index:v,keys:d,edits:m,prev:y},g=Array.isArray(b),d=g?b:p[a(b)]??[],v=-1,m=[],h!==i&&void 0!==h&&S.push(h),h=b)}while(void 0!==y);return 0!==m.length?m[m.length-1][1]:t}})(),n})()));
1
+ !function(t,e){"object"==typeof exports&&"object"==typeof module?module.exports=e():"function"==typeof define&&define.amd?define([],e):"object"==typeof exports?exports.apidomAST=e():t.apidomAST=e()}(self,(()=>(()=>{var t={8583:(t,e)=>{"use strict";var r;Object.defineProperty(e,"__esModule",{value:!0}),e.errorMessages=e.ErrorType=void 0,function(t){t.MalformedUnicode="MALFORMED_UNICODE",t.MalformedHexadecimal="MALFORMED_HEXADECIMAL",t.CodePointLimit="CODE_POINT_LIMIT",t.OctalDeprecation="OCTAL_DEPRECATION",t.EndOfString="END_OF_STRING"}(r=e.ErrorType||(e.ErrorType={})),e.errorMessages=new Map([[r.MalformedUnicode,"malformed Unicode character escape sequence"],[r.MalformedHexadecimal,"malformed hexadecimal character escape sequence"],[r.CodePointLimit,"Unicode codepoint must not be greater than 0x10FFFF in escape sequence"],[r.OctalDeprecation,'"0"-prefixed octal literals and octal escape sequences are deprecated; for octal literals use the "0o" prefix instead'],[r.EndOfString,"malformed escape sequence at end of string"]])},6850:(t,e,r)=>{"use strict";e.MH=void 0;const n=r(8583);function o(t,e,r){const o=function(t){return t.match(/[^a-f0-9]/i)?NaN:parseInt(t,16)}(t);if(Number.isNaN(o)||void 0!==r&&r!==t.length)throw new SyntaxError(n.errorMessages.get(e));return o}function i(t,e){const r=o(t,n.ErrorType.MalformedUnicode,4);if(void 0!==e){const t=o(e,n.ErrorType.MalformedUnicode,4);return String.fromCharCode(r,t)}return String.fromCharCode(r)}const s=new Map([["b","\b"],["f","\f"],["n","\n"],["r","\r"],["t","\t"],["v","\v"],["0","\0"]]);const c=/\\(?:(\\)|x([\s\S]{0,2})|u(\{[^}]*\}?)|u([\s\S]{4})\\u([^{][\s\S]{0,3})|u([\s\S]{0,4})|([0-3]?[0-7]{1,2})|([\s\S])|$)/g;function a(t,e=!1){return t.replace(c,(function(t,r,c,a,u,l,f,p,y){if(void 0!==r)return"\\";if(void 0!==c)return function(t){const e=o(t,n.ErrorType.MalformedHexadecimal,2);return String.fromCharCode(e)}(c);if(void 0!==a)return function(t){if("{"!==(e=t).charAt(0)||"}"!==e.charAt(e.length-1))throw new SyntaxError(n.errorMessages.get(n.ErrorType.MalformedUnicode));var e;const r=o(t.slice(1,-1),n.ErrorType.MalformedUnicode);try{return String.fromCodePoint(r)}catch(t){throw t instanceof RangeError?new SyntaxError(n.errorMessages.get(n.ErrorType.CodePointLimit)):t}}(a);if(void 0!==u)return i(u,l);if(void 0!==f)return i(f);if("0"===p)return"\0";if(void 0!==p)return function(t,e=!1){if(e)throw new SyntaxError(n.errorMessages.get(n.ErrorType.OctalDeprecation));const r=parseInt(t,8);return String.fromCharCode(r)}(p,!e);if(void 0!==y)return h=y,s.get(h)||h;var h;throw new SyntaxError(n.errorMessages.get(n.ErrorType.EndOfString))}))}e.MH=a},1212:(t,e,r)=>{t.exports=r(8411)},7202:(t,e,r)=>{"use strict";var n=r(239);t.exports=n},6656:(t,e,r)=>{"use strict";r(484),r(5695),r(6138),r(9828),r(3832);var n=r(8099);t.exports=n.AggregateError},8411:(t,e,r)=>{"use strict";t.exports=r(8337)},8337:(t,e,r)=>{"use strict";r(5442);var n=r(7202);t.exports=n},814:(t,e,r)=>{"use strict";var n=r(2769),o=r(459),i=TypeError;t.exports=function(t){if(n(t))return t;throw new i(o(t)+" is not a function")}},1966:(t,e,r)=>{"use strict";var n=r(2937),o=String,i=TypeError;t.exports=function(t){if(n(t))return t;throw new i("Can't set "+o(t)+" as a prototype")}},8137:t=>{"use strict";t.exports=function(){}},7235:(t,e,r)=>{"use strict";var n=r(262),o=String,i=TypeError;t.exports=function(t){if(n(t))return t;throw new i(o(t)+" is not an object")}},1005:(t,e,r)=>{"use strict";var n=r(3273),o=r(4574),i=r(8130),s=function(t){return function(e,r,s){var c,a=n(e),u=i(a),l=o(s,u);if(t&&r!=r){for(;u>l;)if((c=a[l++])!=c)return!0}else for(;u>l;l++)if((t||l in a)&&a[l]===r)return t||l||0;return!t&&-1}};t.exports={includes:s(!0),indexOf:s(!1)}},9932:(t,e,r)=>{"use strict";var n=r(6100),o=n({}.toString),i=n("".slice);t.exports=function(t){return i(o(t),8,-1)}},8407:(t,e,r)=>{"use strict";var n=r(4904),o=r(2769),i=r(9932),s=r(8655)("toStringTag"),c=Object,a="Arguments"===i(function(){return arguments}());t.exports=n?i:function(t){var e,r,n;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(r=function(t,e){try{return t[e]}catch(t){}}(e=c(t),s))?r:a?i(e):"Object"===(n=i(e))&&o(e.callee)?"Arguments":n}},7464:(t,e,r)=>{"use strict";var n=r(701),o=r(5691),i=r(4543),s=r(9989);t.exports=function(t,e,r){for(var c=o(e),a=s.f,u=i.f,l=0;l<c.length;l++){var f=c[l];n(t,f)||r&&n(r,f)||a(t,f,u(e,f))}}},2871:(t,e,r)=>{"use strict";var n=r(1203);t.exports=!n((function(){function t(){}return t.prototype.constructor=null,Object.getPrototypeOf(new t)!==t.prototype}))},877:t=>{"use strict";t.exports=function(t,e){return{value:t,done:e}}},3999:(t,e,r)=>{"use strict";var n=r(5024),o=r(9989),i=r(480);t.exports=n?function(t,e,r){return o.f(t,e,i(1,r))}:function(t,e,r){return t[e]=r,t}},480:t=>{"use strict";t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},3508:(t,e,r)=>{"use strict";var n=r(3999);t.exports=function(t,e,r,o){return o&&o.enumerable?t[e]=r:n(t,e,r),t}},7525:(t,e,r)=>{"use strict";var n=r(1063),o=Object.defineProperty;t.exports=function(t,e){try{o(n,t,{value:e,configurable:!0,writable:!0})}catch(r){n[t]=e}return e}},5024:(t,e,r)=>{"use strict";var n=r(1203);t.exports=!n((function(){return 7!==Object.defineProperty({},1,{get:function(){return 7}})[1]}))},9619:(t,e,r)=>{"use strict";var n=r(1063),o=r(262),i=n.document,s=o(i)&&o(i.createElement);t.exports=function(t){return s?i.createElement(t):{}}},1100:t=>{"use strict";t.exports={CSSRuleList:0,CSSStyleDeclaration:0,CSSValueList:0,ClientRectList:0,DOMRectList:0,DOMStringList:0,DOMTokenList:1,DataTransferItemList:0,FileList:0,HTMLAllCollection:0,HTMLCollection:0,HTMLFormElement:0,HTMLSelectElement:0,MediaList:0,MimeTypeArray:0,NamedNodeMap:0,NodeList:1,PaintRequestList:0,Plugin:0,PluginArray:0,SVGLengthList:0,SVGNumberList:0,SVGPathSegList:0,SVGPointList:0,SVGStringList:0,SVGTransformList:0,SourceBufferList:0,StyleSheetList:0,TextTrackCueList:0,TextTrackList:0,TouchList:0}},7868:t=>{"use strict";t.exports="undefined"!=typeof navigator&&String(navigator.userAgent)||""},4432:(t,e,r)=>{"use strict";var n,o,i=r(1063),s=r(7868),c=i.process,a=i.Deno,u=c&&c.versions||a&&a.version,l=u&&u.v8;l&&(o=(n=l.split("."))[0]>0&&n[0]<4?1:+(n[0]+n[1])),!o&&s&&(!(n=s.match(/Edge\/(\d+)/))||n[1]>=74)&&(n=s.match(/Chrome\/(\d+)/))&&(o=+n[1]),t.exports=o},9683:t=>{"use strict";t.exports=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"]},3885:(t,e,r)=>{"use strict";var n=r(6100),o=Error,i=n("".replace),s=String(new o("zxcasd").stack),c=/\n\s*at [^:]*:[^\n]*/,a=c.test(s);t.exports=function(t,e){if(a&&"string"==typeof t&&!o.prepareStackTrace)for(;e--;)t=i(t,c,"");return t}},4279:(t,e,r)=>{"use strict";var n=r(3999),o=r(3885),i=r(5791),s=Error.captureStackTrace;t.exports=function(t,e,r,c){i&&(s?s(t,e):n(t,"stack",o(r,c)))}},5791:(t,e,r)=>{"use strict";var n=r(1203),o=r(480);t.exports=!n((function(){var t=new Error("a");return!("stack"in t)||(Object.defineProperty(t,"stack",o(1,7)),7!==t.stack)}))},9098:(t,e,r)=>{"use strict";var n=r(1063),o=r(7013),i=r(9344),s=r(2769),c=r(4543).f,a=r(8696),u=r(8099),l=r(4572),f=r(3999),p=r(701),y=function(t){var e=function(r,n,i){if(this instanceof e){switch(arguments.length){case 0:return new t;case 1:return new t(r);case 2:return new t(r,n)}return new t(r,n,i)}return o(t,this,arguments)};return e.prototype=t.prototype,e};t.exports=function(t,e){var r,o,h,g,d,v,m,b,x,S=t.target,w=t.global,O=t.stat,j=t.proto,E=w?n:O?n[S]:n[S]&&n[S].prototype,A=w?u:u[S]||f(u,S,{})[S],T=A.prototype;for(g in e)o=!(r=a(w?g:S+(O?".":"#")+g,t.forced))&&E&&p(E,g),v=A[g],o&&(m=t.dontCallGetSet?(x=c(E,g))&&x.value:E[g]),d=o&&m?m:e[g],(r||j||typeof v!=typeof d)&&(b=t.bind&&o?l(d,n):t.wrap&&o?y(d):j&&s(d)?i(d):d,(t.sham||d&&d.sham||v&&v.sham)&&f(b,"sham",!0),f(A,g,b),j&&(p(u,h=S+"Prototype")||f(u,h,{}),f(u[h],g,d),t.real&&T&&(r||!T[g])&&f(T,g,d)))}},1203:t=>{"use strict";t.exports=function(t){try{return!!t()}catch(t){return!0}}},7013:(t,e,r)=>{"use strict";var n=r(1780),o=Function.prototype,i=o.apply,s=o.call;t.exports="object"==typeof Reflect&&Reflect.apply||(n?s.bind(i):function(){return s.apply(i,arguments)})},4572:(t,e,r)=>{"use strict";var n=r(9344),o=r(814),i=r(1780),s=n(n.bind);t.exports=function(t,e){return o(t),void 0===e?t:i?s(t,e):function(){return t.apply(e,arguments)}}},1780:(t,e,r)=>{"use strict";var n=r(1203);t.exports=!n((function(){var t=function(){}.bind();return"function"!=typeof t||t.hasOwnProperty("prototype")}))},4713:(t,e,r)=>{"use strict";var n=r(1780),o=Function.prototype.call;t.exports=n?o.bind(o):function(){return o.apply(o,arguments)}},3410:(t,e,r)=>{"use strict";var n=r(5024),o=r(701),i=Function.prototype,s=n&&Object.getOwnPropertyDescriptor,c=o(i,"name"),a=c&&"something"===function(){}.name,u=c&&(!n||n&&s(i,"name").configurable);t.exports={EXISTS:c,PROPER:a,CONFIGURABLE:u}},3574:(t,e,r)=>{"use strict";var n=r(6100),o=r(814);t.exports=function(t,e,r){try{return n(o(Object.getOwnPropertyDescriptor(t,e)[r]))}catch(t){}}},9344:(t,e,r)=>{"use strict";var n=r(9932),o=r(6100);t.exports=function(t){if("Function"===n(t))return o(t)}},6100:(t,e,r)=>{"use strict";var n=r(1780),o=Function.prototype,i=o.call,s=n&&o.bind.bind(i,i);t.exports=n?s:function(t){return function(){return i.apply(t,arguments)}}},1003:(t,e,r)=>{"use strict";var n=r(8099),o=r(1063),i=r(2769),s=function(t){return i(t)?t:void 0};t.exports=function(t,e){return arguments.length<2?s(n[t])||s(o[t]):n[t]&&n[t][e]||o[t]&&o[t][e]}},967:(t,e,r)=>{"use strict";var n=r(8407),o=r(4674),i=r(3057),s=r(6625),c=r(8655)("iterator");t.exports=function(t){if(!i(t))return o(t,c)||o(t,"@@iterator")||s[n(t)]}},1613:(t,e,r)=>{"use strict";var n=r(4713),o=r(814),i=r(7235),s=r(459),c=r(967),a=TypeError;t.exports=function(t,e){var r=arguments.length<2?c(t):e;if(o(r))return i(n(r,t));throw new a(s(t)+" is not iterable")}},4674:(t,e,r)=>{"use strict";var n=r(814),o=r(3057);t.exports=function(t,e){var r=t[e];return o(r)?void 0:n(r)}},1063:function(t,e,r){"use strict";var n=function(t){return t&&t.Math===Math&&t};t.exports=n("object"==typeof globalThis&&globalThis)||n("object"==typeof window&&window)||n("object"==typeof self&&self)||n("object"==typeof r.g&&r.g)||n("object"==typeof this&&this)||function(){return this}()||Function("return this")()},701:(t,e,r)=>{"use strict";var n=r(6100),o=r(2137),i=n({}.hasOwnProperty);t.exports=Object.hasOwn||function(t,e){return i(o(t),e)}},5241:t=>{"use strict";t.exports={}},3489:(t,e,r)=>{"use strict";var n=r(1003);t.exports=n("document","documentElement")},9665:(t,e,r)=>{"use strict";var n=r(5024),o=r(1203),i=r(9619);t.exports=!n&&!o((function(){return 7!==Object.defineProperty(i("div"),"a",{get:function(){return 7}}).a}))},1395:(t,e,r)=>{"use strict";var n=r(6100),o=r(1203),i=r(9932),s=Object,c=n("".split);t.exports=o((function(){return!s("z").propertyIsEnumerable(0)}))?function(t){return"String"===i(t)?c(t,""):s(t)}:s},3507:(t,e,r)=>{"use strict";var n=r(2769),o=r(262),i=r(3491);t.exports=function(t,e,r){var s,c;return i&&n(s=e.constructor)&&s!==r&&o(c=s.prototype)&&c!==r.prototype&&i(t,c),t}},8148:(t,e,r)=>{"use strict";var n=r(262),o=r(3999);t.exports=function(t,e){n(e)&&"cause"in e&&o(t,"cause",e.cause)}},8417:(t,e,r)=>{"use strict";var n,o,i,s=r(1314),c=r(1063),a=r(262),u=r(3999),l=r(701),f=r(3753),p=r(4275),y=r(5241),h="Object already initialized",g=c.TypeError,d=c.WeakMap;if(s||f.state){var v=f.state||(f.state=new d);v.get=v.get,v.has=v.has,v.set=v.set,n=function(t,e){if(v.has(t))throw new g(h);return e.facade=t,v.set(t,e),e},o=function(t){return v.get(t)||{}},i=function(t){return v.has(t)}}else{var m=p("state");y[m]=!0,n=function(t,e){if(l(t,m))throw new g(h);return e.facade=t,u(t,m,e),e},o=function(t){return l(t,m)?t[m]:{}},i=function(t){return l(t,m)}}t.exports={set:n,get:o,has:i,enforce:function(t){return i(t)?o(t):n(t,{})},getterFor:function(t){return function(e){var r;if(!a(e)||(r=o(e)).type!==t)throw new g("Incompatible receiver, "+t+" required");return r}}}},2877:(t,e,r)=>{"use strict";var n=r(8655),o=r(6625),i=n("iterator"),s=Array.prototype;t.exports=function(t){return void 0!==t&&(o.Array===t||s[i]===t)}},2769:t=>{"use strict";var e="object"==typeof document&&document.all;t.exports=void 0===e&&void 0!==e?function(t){return"function"==typeof t||t===e}:function(t){return"function"==typeof t}},8696:(t,e,r)=>{"use strict";var n=r(1203),o=r(2769),i=/#|\.prototype\./,s=function(t,e){var r=a[c(t)];return r===l||r!==u&&(o(e)?n(e):!!e)},c=s.normalize=function(t){return String(t).replace(i,".").toLowerCase()},a=s.data={},u=s.NATIVE="N",l=s.POLYFILL="P";t.exports=s},3057:t=>{"use strict";t.exports=function(t){return null==t}},262:(t,e,r)=>{"use strict";var n=r(2769);t.exports=function(t){return"object"==typeof t?null!==t:n(t)}},2937:(t,e,r)=>{"use strict";var n=r(262);t.exports=function(t){return n(t)||null===t}},4871:t=>{"use strict";t.exports=!0},6281:(t,e,r)=>{"use strict";var n=r(1003),o=r(2769),i=r(4317),s=r(7460),c=Object;t.exports=s?function(t){return"symbol"==typeof t}:function(t){var e=n("Symbol");return o(e)&&i(e.prototype,c(t))}},208:(t,e,r)=>{"use strict";var n=r(4572),o=r(4713),i=r(7235),s=r(459),c=r(2877),a=r(8130),u=r(4317),l=r(1613),f=r(967),p=r(1743),y=TypeError,h=function(t,e){this.stopped=t,this.result=e},g=h.prototype;t.exports=function(t,e,r){var d,v,m,b,x,S,w,O=r&&r.that,j=!(!r||!r.AS_ENTRIES),E=!(!r||!r.IS_RECORD),A=!(!r||!r.IS_ITERATOR),T=!(!r||!r.INTERRUPTED),k=n(e,O),P=function(t){return d&&p(d,"normal",t),new h(!0,t)},N=function(t){return j?(i(t),T?k(t[0],t[1],P):k(t[0],t[1])):T?k(t,P):k(t)};if(E)d=t.iterator;else if(A)d=t;else{if(!(v=f(t)))throw new y(s(t)+" is not iterable");if(c(v)){for(m=0,b=a(t);b>m;m++)if((x=N(t[m]))&&u(g,x))return x;return new h(!1)}d=l(t,v)}for(S=E?t.next:d.next;!(w=o(S,d)).done;){try{x=N(w.value)}catch(t){p(d,"throw",t)}if("object"==typeof x&&x&&u(g,x))return x}return new h(!1)}},1743:(t,e,r)=>{"use strict";var n=r(4713),o=r(7235),i=r(4674);t.exports=function(t,e,r){var s,c;o(t);try{if(!(s=i(t,"return"))){if("throw"===e)throw r;return r}s=n(s,t)}catch(t){c=!0,s=t}if("throw"===e)throw r;if(c)throw s;return o(s),r}},1926:(t,e,r)=>{"use strict";var n=r(2621).IteratorPrototype,o=r(5780),i=r(480),s=r(1811),c=r(6625),a=function(){return this};t.exports=function(t,e,r,u){var l=e+" Iterator";return t.prototype=o(n,{next:i(+!u,r)}),s(t,l,!1,!0),c[l]=a,t}},164:(t,e,r)=>{"use strict";var n=r(9098),o=r(4713),i=r(4871),s=r(3410),c=r(2769),a=r(1926),u=r(3671),l=r(3491),f=r(1811),p=r(3999),y=r(3508),h=r(8655),g=r(6625),d=r(2621),v=s.PROPER,m=s.CONFIGURABLE,b=d.IteratorPrototype,x=d.BUGGY_SAFARI_ITERATORS,S=h("iterator"),w="keys",O="values",j="entries",E=function(){return this};t.exports=function(t,e,r,s,h,d,A){a(r,e,s);var T,k,P,N=function(t){if(t===h&&L)return L;if(!x&&t&&t in F)return F[t];switch(t){case w:case O:case j:return function(){return new r(this,t)}}return function(){return new r(this)}},M=e+" Iterator",C=!1,F=t.prototype,I=F[S]||F["@@iterator"]||h&&F[h],L=!x&&I||N(h),R="Array"===e&&F.entries||I;if(R&&(T=u(R.call(new t)))!==Object.prototype&&T.next&&(i||u(T)===b||(l?l(T,b):c(T[S])||y(T,S,E)),f(T,M,!0,!0),i&&(g[M]=E)),v&&h===O&&I&&I.name!==O&&(!i&&m?p(F,"name",O):(C=!0,L=function(){return o(I,this)})),h)if(k={values:N(O),keys:d?L:N(w),entries:N(j)},A)for(P in k)(x||C||!(P in F))&&y(F,P,k[P]);else n({target:e,proto:!0,forced:x||C},k);return i&&!A||F[S]===L||y(F,S,L,{name:h}),g[e]=L,k}},2621:(t,e,r)=>{"use strict";var n,o,i,s=r(1203),c=r(2769),a=r(262),u=r(5780),l=r(3671),f=r(3508),p=r(8655),y=r(4871),h=p("iterator"),g=!1;[].keys&&("next"in(i=[].keys())?(o=l(l(i)))!==Object.prototype&&(n=o):g=!0),!a(n)||s((function(){var t={};return n[h].call(t)!==t}))?n={}:y&&(n=u(n)),c(n[h])||f(n,h,(function(){return this})),t.exports={IteratorPrototype:n,BUGGY_SAFARI_ITERATORS:g}},6625:t=>{"use strict";t.exports={}},8130:(t,e,r)=>{"use strict";var n=r(8146);t.exports=function(t){return n(t.length)}},5777:t=>{"use strict";var e=Math.ceil,r=Math.floor;t.exports=Math.trunc||function(t){var n=+t;return(n>0?r:e)(n)}},4879:(t,e,r)=>{"use strict";var n=r(1139);t.exports=function(t,e){return void 0===t?arguments.length<2?"":e:n(t)}},5780:(t,e,r)=>{"use strict";var n,o=r(7235),i=r(7389),s=r(9683),c=r(5241),a=r(3489),u=r(9619),l=r(4275),f="prototype",p="script",y=l("IE_PROTO"),h=function(){},g=function(t){return"<"+p+">"+t+"</"+p+">"},d=function(t){t.write(g("")),t.close();var e=t.parentWindow.Object;return t=null,e},v=function(){try{n=new ActiveXObject("htmlfile")}catch(t){}var t,e,r;v="undefined"!=typeof document?document.domain&&n?d(n):(e=u("iframe"),r="java"+p+":",e.style.display="none",a.appendChild(e),e.src=String(r),(t=e.contentWindow.document).open(),t.write(g("document.F=Object")),t.close(),t.F):d(n);for(var o=s.length;o--;)delete v[f][s[o]];return v()};c[y]=!0,t.exports=Object.create||function(t,e){var r;return null!==t?(h[f]=o(t),r=new h,h[f]=null,r[y]=t):r=v(),void 0===e?r:i.f(r,e)}},7389:(t,e,r)=>{"use strict";var n=r(5024),o=r(1330),i=r(9989),s=r(7235),c=r(3273),a=r(8364);e.f=n&&!o?Object.defineProperties:function(t,e){s(t);for(var r,n=c(e),o=a(e),u=o.length,l=0;u>l;)i.f(t,r=o[l++],n[r]);return t}},9989:(t,e,r)=>{"use strict";var n=r(5024),o=r(9665),i=r(1330),s=r(7235),c=r(5341),a=TypeError,u=Object.defineProperty,l=Object.getOwnPropertyDescriptor,f="enumerable",p="configurable",y="writable";e.f=n?i?function(t,e,r){if(s(t),e=c(e),s(r),"function"==typeof t&&"prototype"===e&&"value"in r&&y in r&&!r[y]){var n=l(t,e);n&&n[y]&&(t[e]=r.value,r={configurable:p in r?r[p]:n[p],enumerable:f in r?r[f]:n[f],writable:!1})}return u(t,e,r)}:u:function(t,e,r){if(s(t),e=c(e),s(r),o)try{return u(t,e,r)}catch(t){}if("get"in r||"set"in r)throw new a("Accessors not supported");return"value"in r&&(t[e]=r.value),t}},4543:(t,e,r)=>{"use strict";var n=r(5024),o=r(4713),i=r(7161),s=r(480),c=r(3273),a=r(5341),u=r(701),l=r(9665),f=Object.getOwnPropertyDescriptor;e.f=n?f:function(t,e){if(t=c(t),e=a(e),l)try{return f(t,e)}catch(t){}if(u(t,e))return s(!o(i.f,t,e),t[e])}},5116:(t,e,r)=>{"use strict";var n=r(8600),o=r(9683).concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return n(t,o)}},7313:(t,e)=>{"use strict";e.f=Object.getOwnPropertySymbols},3671:(t,e,r)=>{"use strict";var n=r(701),o=r(2769),i=r(2137),s=r(4275),c=r(2871),a=s("IE_PROTO"),u=Object,l=u.prototype;t.exports=c?u.getPrototypeOf:function(t){var e=i(t);if(n(e,a))return e[a];var r=e.constructor;return o(r)&&e instanceof r?r.prototype:e instanceof u?l:null}},4317:(t,e,r)=>{"use strict";var n=r(6100);t.exports=n({}.isPrototypeOf)},8600:(t,e,r)=>{"use strict";var n=r(6100),o=r(701),i=r(3273),s=r(1005).indexOf,c=r(5241),a=n([].push);t.exports=function(t,e){var r,n=i(t),u=0,l=[];for(r in n)!o(c,r)&&o(n,r)&&a(l,r);for(;e.length>u;)o(n,r=e[u++])&&(~s(l,r)||a(l,r));return l}},8364:(t,e,r)=>{"use strict";var n=r(8600),o=r(9683);t.exports=Object.keys||function(t){return n(t,o)}},7161:(t,e)=>{"use strict";var r={}.propertyIsEnumerable,n=Object.getOwnPropertyDescriptor,o=n&&!r.call({1:2},1);e.f=o?function(t){var e=n(this,t);return!!e&&e.enumerable}:r},3491:(t,e,r)=>{"use strict";var n=r(3574),o=r(7235),i=r(1966);t.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var t,e=!1,r={};try{(t=n(Object.prototype,"__proto__","set"))(r,[]),e=r instanceof Array}catch(t){}return function(r,n){return o(r),i(n),e?t(r,n):r.__proto__=n,r}}():void 0)},9559:(t,e,r)=>{"use strict";var n=r(4904),o=r(8407);t.exports=n?{}.toString:function(){return"[object "+o(this)+"]"}},9258:(t,e,r)=>{"use strict";var n=r(4713),o=r(2769),i=r(262),s=TypeError;t.exports=function(t,e){var r,c;if("string"===e&&o(r=t.toString)&&!i(c=n(r,t)))return c;if(o(r=t.valueOf)&&!i(c=n(r,t)))return c;if("string"!==e&&o(r=t.toString)&&!i(c=n(r,t)))return c;throw new s("Can't convert object to primitive value")}},5691:(t,e,r)=>{"use strict";var n=r(1003),o=r(6100),i=r(5116),s=r(7313),c=r(7235),a=o([].concat);t.exports=n("Reflect","ownKeys")||function(t){var e=i.f(c(t)),r=s.f;return r?a(e,r(t)):e}},8099:t=>{"use strict";t.exports={}},5516:(t,e,r)=>{"use strict";var n=r(9989).f;t.exports=function(t,e,r){r in t||n(t,r,{configurable:!0,get:function(){return e[r]},set:function(t){e[r]=t}})}},5426:(t,e,r)=>{"use strict";var n=r(3057),o=TypeError;t.exports=function(t){if(n(t))throw new o("Can't call method on "+t);return t}},1811:(t,e,r)=>{"use strict";var n=r(4904),o=r(9989).f,i=r(3999),s=r(701),c=r(9559),a=r(8655)("toStringTag");t.exports=function(t,e,r,u){var l=r?t:t&&t.prototype;l&&(s(l,a)||o(l,a,{configurable:!0,value:e}),u&&!n&&i(l,"toString",c))}},4275:(t,e,r)=>{"use strict";var n=r(8141),o=r(1268),i=n("keys");t.exports=function(t){return i[t]||(i[t]=o(t))}},3753:(t,e,r)=>{"use strict";var n=r(1063),o=r(7525),i="__core-js_shared__",s=n[i]||o(i,{});t.exports=s},8141:(t,e,r)=>{"use strict";var n=r(4871),o=r(3753);(t.exports=function(t,e){return o[t]||(o[t]=void 0!==e?e:{})})("versions",[]).push({version:"3.35.1",mode:n?"pure":"global",copyright:"© 2014-2024 Denis Pushkarev (zloirock.ru)",license:"https://github.com/zloirock/core-js/blob/v3.35.1/LICENSE",source:"https://github.com/zloirock/core-js"})},5571:(t,e,r)=>{"use strict";var n=r(6100),o=r(9903),i=r(1139),s=r(5426),c=n("".charAt),a=n("".charCodeAt),u=n("".slice),l=function(t){return function(e,r){var n,l,f=i(s(e)),p=o(r),y=f.length;return p<0||p>=y?t?"":void 0:(n=a(f,p))<55296||n>56319||p+1===y||(l=a(f,p+1))<56320||l>57343?t?c(f,p):n:t?u(f,p,p+2):l-56320+(n-55296<<10)+65536}};t.exports={codeAt:l(!1),charAt:l(!0)}},4603:(t,e,r)=>{"use strict";var n=r(4432),o=r(1203),i=r(1063).String;t.exports=!!Object.getOwnPropertySymbols&&!o((function(){var t=Symbol("symbol detection");return!i(t)||!(Object(t)instanceof Symbol)||!Symbol.sham&&n&&n<41}))},4574:(t,e,r)=>{"use strict";var n=r(9903),o=Math.max,i=Math.min;t.exports=function(t,e){var r=n(t);return r<0?o(r+e,0):i(r,e)}},3273:(t,e,r)=>{"use strict";var n=r(1395),o=r(5426);t.exports=function(t){return n(o(t))}},9903:(t,e,r)=>{"use strict";var n=r(5777);t.exports=function(t){var e=+t;return e!=e||0===e?0:n(e)}},8146:(t,e,r)=>{"use strict";var n=r(9903),o=Math.min;t.exports=function(t){var e=n(t);return e>0?o(e,9007199254740991):0}},2137:(t,e,r)=>{"use strict";var n=r(5426),o=Object;t.exports=function(t){return o(n(t))}},493:(t,e,r)=>{"use strict";var n=r(4713),o=r(262),i=r(6281),s=r(4674),c=r(9258),a=r(8655),u=TypeError,l=a("toPrimitive");t.exports=function(t,e){if(!o(t)||i(t))return t;var r,a=s(t,l);if(a){if(void 0===e&&(e="default"),r=n(a,t,e),!o(r)||i(r))return r;throw new u("Can't convert object to primitive value")}return void 0===e&&(e="number"),c(t,e)}},5341:(t,e,r)=>{"use strict";var n=r(493),o=r(6281);t.exports=function(t){var e=n(t,"string");return o(e)?e:e+""}},4904:(t,e,r)=>{"use strict";var n={};n[r(8655)("toStringTag")]="z",t.exports="[object z]"===String(n)},1139:(t,e,r)=>{"use strict";var n=r(8407),o=String;t.exports=function(t){if("Symbol"===n(t))throw new TypeError("Cannot convert a Symbol value to a string");return o(t)}},459:t=>{"use strict";var e=String;t.exports=function(t){try{return e(t)}catch(t){return"Object"}}},1268:(t,e,r)=>{"use strict";var n=r(6100),o=0,i=Math.random(),s=n(1..toString);t.exports=function(t){return"Symbol("+(void 0===t?"":t)+")_"+s(++o+i,36)}},7460:(t,e,r)=>{"use strict";var n=r(4603);t.exports=n&&!Symbol.sham&&"symbol"==typeof Symbol.iterator},1330:(t,e,r)=>{"use strict";var n=r(5024),o=r(1203);t.exports=n&&o((function(){return 42!==Object.defineProperty((function(){}),"prototype",{value:42,writable:!1}).prototype}))},1314:(t,e,r)=>{"use strict";var n=r(1063),o=r(2769),i=n.WeakMap;t.exports=o(i)&&/native code/.test(String(i))},8655:(t,e,r)=>{"use strict";var n=r(1063),o=r(8141),i=r(701),s=r(1268),c=r(4603),a=r(7460),u=n.Symbol,l=o("wks"),f=a?u.for||u:u&&u.withoutSetter||s;t.exports=function(t){return i(l,t)||(l[t]=c&&i(u,t)?u[t]:f("Symbol."+t)),l[t]}},6453:(t,e,r)=>{"use strict";var n=r(1003),o=r(701),i=r(3999),s=r(4317),c=r(3491),a=r(7464),u=r(5516),l=r(3507),f=r(4879),p=r(8148),y=r(4279),h=r(5024),g=r(4871);t.exports=function(t,e,r,d){var v="stackTraceLimit",m=d?2:1,b=t.split("."),x=b[b.length-1],S=n.apply(null,b);if(S){var w=S.prototype;if(!g&&o(w,"cause")&&delete w.cause,!r)return S;var O=n("Error"),j=e((function(t,e){var r=f(d?e:t,void 0),n=d?new S(t):new S;return void 0!==r&&i(n,"message",r),y(n,j,n.stack,2),this&&s(w,this)&&l(n,this,j),arguments.length>m&&p(n,arguments[m]),n}));if(j.prototype=w,"Error"!==x?c?c(j,O):a(j,O,{name:!0}):h&&v in S&&(u(j,S,v),u(j,S,"prepareStackTrace")),a(j,S),!g)try{w.name!==x&&i(w,"name",x),w.constructor=j}catch(t){}return j}}},6138:(t,e,r)=>{"use strict";var n=r(9098),o=r(1003),i=r(7013),s=r(1203),c=r(6453),a="AggregateError",u=o(a),l=!s((function(){return 1!==u([1]).errors[0]}))&&s((function(){return 7!==u([1],a,{cause:7}).cause}));n({global:!0,constructor:!0,arity:2,forced:l},{AggregateError:c(a,(function(t){return function(e,r){return i(t,this,arguments)}}),l,!0)})},3085:(t,e,r)=>{"use strict";var n=r(9098),o=r(4317),i=r(3671),s=r(3491),c=r(7464),a=r(5780),u=r(3999),l=r(480),f=r(8148),p=r(4279),y=r(208),h=r(4879),g=r(8655)("toStringTag"),d=Error,v=[].push,m=function(t,e){var r,n=o(b,this);s?r=s(new d,n?i(this):b):(r=n?this:a(b),u(r,g,"Error")),void 0!==e&&u(r,"message",h(e)),p(r,m,r.stack,1),arguments.length>2&&f(r,arguments[2]);var c=[];return y(t,v,{that:c}),u(r,"errors",c),r};s?s(m,d):c(m,d,{name:!0});var b=m.prototype=a(d.prototype,{constructor:l(1,m),message:l(1,""),name:l(1,"AggregateError")});n({global:!0,constructor:!0,arity:2},{AggregateError:m})},5695:(t,e,r)=>{"use strict";r(3085)},9828:(t,e,r)=>{"use strict";var n=r(3273),o=r(8137),i=r(6625),s=r(8417),c=r(9989).f,a=r(164),u=r(877),l=r(4871),f=r(5024),p="Array Iterator",y=s.set,h=s.getterFor(p);t.exports=a(Array,"Array",(function(t,e){y(this,{type:p,target:n(t),index:0,kind:e})}),(function(){var t=h(this),e=t.target,r=t.index++;if(!e||r>=e.length)return t.target=void 0,u(void 0,!0);switch(t.kind){case"keys":return u(r,!1);case"values":return u(e[r],!1)}return u([r,e[r]],!1)}),"values");var g=i.Arguments=i.Array;if(o("keys"),o("values"),o("entries"),!l&&f&&"values"!==g.name)try{c(g,"name",{value:"values"})}catch(t){}},484:(t,e,r)=>{"use strict";var n=r(9098),o=r(1063),i=r(7013),s=r(6453),c="WebAssembly",a=o[c],u=7!==new Error("e",{cause:7}).cause,l=function(t,e){var r={};r[t]=s(t,e,u),n({global:!0,constructor:!0,arity:1,forced:u},r)},f=function(t,e){if(a&&a[t]){var r={};r[t]=s(c+"."+t,e,u),n({target:c,stat:!0,constructor:!0,arity:1,forced:u},r)}};l("Error",(function(t){return function(e){return i(t,this,arguments)}})),l("EvalError",(function(t){return function(e){return i(t,this,arguments)}})),l("RangeError",(function(t){return function(e){return i(t,this,arguments)}})),l("ReferenceError",(function(t){return function(e){return i(t,this,arguments)}})),l("SyntaxError",(function(t){return function(e){return i(t,this,arguments)}})),l("TypeError",(function(t){return function(e){return i(t,this,arguments)}})),l("URIError",(function(t){return function(e){return i(t,this,arguments)}})),f("CompileError",(function(t){return function(e){return i(t,this,arguments)}})),f("LinkError",(function(t){return function(e){return i(t,this,arguments)}})),f("RuntimeError",(function(t){return function(e){return i(t,this,arguments)}}))},3832:(t,e,r)=>{"use strict";var n=r(5571).charAt,o=r(1139),i=r(8417),s=r(164),c=r(877),a="String Iterator",u=i.set,l=i.getterFor(a);s(String,"String",(function(t){u(this,{type:a,string:o(t),index:0})}),(function(){var t,e=l(this),r=e.string,o=e.index;return o>=r.length?c(void 0,!0):(t=n(r,o),e.index+=t.length,c(t,!1))}))},5442:(t,e,r)=>{"use strict";r(5695)},85:(t,e,r)=>{"use strict";r(9828);var n=r(1100),o=r(1063),i=r(1811),s=r(6625);for(var c in n)i(o[c],c),s[c]=s.Array},239:(t,e,r)=>{"use strict";r(5442);var n=r(6656);r(85),t.exports=n}},e={};function r(n){var o=e[n];if(void 0!==o)return o.exports;var i=e[n]={exports:{}};return t[n].call(i.exports,i,i.exports,r),i.exports}r.d=(t,e)=>{for(var n in e)r.o(e,n)&&!r.o(t,n)&&Object.defineProperty(t,n,{enumerable:!0,get:e[n]})},r.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),r.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),r.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})};var n={};return(()=>{"use strict";r.r(n),r.d(n,{BREAK:()=>bn,Error:()=>dn,JsonArray:()=>N,JsonDocument:()=>l,JsonEscapeSequence:()=>L,JsonFalse:()=>Y,JsonKey:()=>F,JsonNode:()=>e,JsonNull:()=>U,JsonNumber:()=>R,JsonObject:()=>k,JsonProperty:()=>P,JsonString:()=>C,JsonStringContent:()=>I,JsonTrue:()=>D,JsonValue:()=>M,Literal:()=>pn,ParseResult:()=>vn,Point:()=>yn,Position:()=>gn,YamlAlias:()=>_,YamlAnchor:()=>vt,YamlCollection:()=>G,YamlComment:()=>J,YamlDirective:()=>B,YamlDocument:()=>H,YamlError:()=>Pt,YamlFailsafeSchema:()=>nn,YamlJsonSchema:()=>un,YamlKeyValuePair:()=>ct,YamlMapping:()=>ut,YamlNode:()=>q,YamlNodeKind:()=>gt,YamlReferenceError:()=>ln,YamlReferenceManager:()=>fn,YamlScalar:()=>lt,YamlSchemaError:()=>Nt,YamlSequence:()=>pt,YamlStream:()=>ht,YamlStyle:()=>mt,YamlStyleGroup:()=>bt,YamlTag:()=>dt,YamlTagError:()=>Mt,cloneNode:()=>wn,getNodeType:()=>xn,getVisitFn:()=>mn,isJsonArray:()=>w,isJsonDocument:()=>d,isJsonEscapeSequence:()=>E,isJsonFalse:()=>m,isJsonKey:()=>T,isJsonNull:()=>x,isJsonNumber:()=>S,isJsonObject:()=>O,isJsonProperty:()=>A,isJsonString:()=>v,isJsonStringContent:()=>j,isJsonTrue:()=>b,isLiteral:()=>p,isNode:()=>Sn,isParseResult:()=>g,isPoint:()=>h,isPosition:()=>y,isYamlAlias:()=>nt,isYamlAnchor:()=>et,isYamlComment:()=>it,isYamlDirective:()=>ot,isYamlDocument:()=>W,isYamlKeyValuePair:()=>Z,isYamlMapping:()=>Q,isYamlScalar:()=>rt,isYamlSequence:()=>X,isYamlStream:()=>K,isYamlTag:()=>tt,mergeAllVisitors:()=>On,visit:()=>jn});const t=class{static type="node";type="node";isMissing;children;position;constructor({children:t=[],position:e,isMissing:r=!1}={}){this.type=this.constructor.type,this.isMissing=r,this.children=t,this.position=e}clone(){const t=Object.create(Object.getPrototypeOf(this));return Object.getOwnPropertyNames(this).forEach((e=>{const r=Object.getOwnPropertyDescriptor(this,e);Object.defineProperty(t,e,r)})),t}};const e=class extends t{};function o(t){return null!=t&&"object"==typeof t&&!0===t["@@functional/placeholder"]}function i(t){return function e(r){return 0===arguments.length||o(r)?e:t.apply(this,arguments)}}function s(t){return function e(r,n){switch(arguments.length){case 0:return e;case 1:return o(r)?e:i((function(e){return t(r,e)}));default:return o(r)&&o(n)?e:o(r)?i((function(e){return t(e,n)})):o(n)?i((function(e){return t(r,e)})):t(r,n)}}}function c(t){return"[object String]"===Object.prototype.toString.call(t)}const a=s((function(t,e){var r=t<0?e.length+t:t;return c(e)?e.charAt(r):e[r]}));const u=a(0);const l=class extends e{static type="document";get child(){return u(this.children)}},f=(t,e)=>null!=e&&"object"==typeof e&&"type"in e&&e.type===t,p=t=>f("literal",t),y=t=>f("position",t),h=t=>f("point",t),g=t=>f("parseResult",t),d=t=>f("document",t),v=t=>f("string",t),m=t=>f("false",t),b=t=>f("true",t),x=t=>f("null",t),S=t=>f("number",t),w=t=>f("array",t),O=t=>f("object",t),j=t=>f("stringContent",t),E=t=>f("escapeSequence",t),A=t=>f("property",t),T=t=>f("key",t);const k=class extends e{static type="object";get properties(){return this.children.filter(A)}};const P=class extends e{static type="property";get key(){return this.children.find(T)}get value(){return this.children.find((t=>m(t)||b(t)||x(t)||S(t)||v(t)||w(t)||O(t)))}};const N=class extends e{static type="array";get items(){return this.children.filter((t=>m(t)||b(t)||x(t)||S(t)||v(t)||w(t)||O))}};const M=class extends e{static type="value";value;constructor({value:t,...e}){super({...e}),this.value=t}};const C=class extends e{static type="string";get value(){if(1===this.children.length){return this.children[0].value}return this.children.filter((t=>j(t)||E(t))).reduce(((t,e)=>t+e.value),"")}};const F=class extends C{static type="key"};const I=class extends M{static type="stringContent"};const L=class extends M{static type="escapeSequence"};const R=class extends M{static type="number"};const D=class extends M{static type="true"};const Y=class extends M{static type="false"};const U=class extends M{static type="null"};const _=class extends t{static type="alias";content;constructor({content:t,...e}){super({...e}),this.content=t}};const q=class extends t{anchor;tag;style;styleGroup;constructor({anchor:t,tag:e,style:r,styleGroup:n,...o}){super({...o}),this.anchor=t,this.tag=e,this.style=r,this.styleGroup=n}};const G=class extends q{};const J=class extends t{static type="comment";content;constructor({content:t,...e}){super({...e}),this.content=t}};function $(t,e){return Object.prototype.hasOwnProperty.call(e,t)}const V="function"==typeof Object.assign?Object.assign:function(t){if(null==t)throw new TypeError("Cannot convert undefined or null to object");for(var e=Object(t),r=1,n=arguments.length;r<n;){var o=arguments[r];if(null!=o)for(var i in o)$(i,o)&&(e[i]=o[i]);r+=1}return e};const z=s((function(t,e){return V({},t,e)}));const B=class extends t{static type="directive";name;parameters;constructor({name:t,parameters:e,...r}){super({...r}),this.name=t,this.parameters=z({version:void 0,handle:void 0,prefix:void 0},e)}};const H=class extends t{static type="document"},K=t=>f("stream",t),W=t=>f("document",t),Q=t=>f("mapping",t),X=t=>f("sequence",t),Z=t=>f("keyValuePair",t),tt=t=>f("tag",t),et=t=>f("anchor",t),rt=t=>f("scalar",t),nt=t=>f("alias",t),ot=t=>f("directive",t),it=t=>f("comment",t);class st extends t{static type="keyValuePair";styleGroup;constructor({styleGroup:t,...e}){super({...e}),this.styleGroup=t}}Object.defineProperties(st.prototype,{key:{get(){return this.children.filter((t=>rt(t)||Q(t)||X(t)))[0]},enumerable:!0},value:{get(){const{key:t,children:e}=this;return e.filter((e=>(e=>e!==t)(e)&&(t=>rt(t)||Q(t)||X(t)||nt(t))(e)))[0]},enumerable:!0}});const ct=st;class at extends G{static type="mapping"}Object.defineProperty(at.prototype,"content",{get(){return Array.isArray(this.children)?this.children.filter(Z):[]},enumerable:!0});const ut=at;const lt=class extends q{static type="scalar";content;constructor({content:t,...e}){super({...e}),this.content=t}};class ft extends G{static type="sequence"}Object.defineProperty(ft.prototype,"content",{get(){const{children:t}=this;return Array.isArray(t)?t.filter((t=>X(t)||Q(t)||rt(t)||nt(t))):[]},enumerable:!0});const pt=ft;class yt extends t{static type="stream"}Object.defineProperty(yt.prototype,"content",{get(){return Array.isArray(this.children)?this.children.filter((t=>W(t)||it(t))):[]},enumerable:!0});const ht=yt;let gt=function(t){return t.Scalar="Scalar",t.Sequence="Sequence",t.Mapping="Mapping",t}({});const dt=class extends t{static type="tag";explicitName;kind;constructor({explicitName:t,kind:e,...r}){super({...r}),this.explicitName=t,this.kind=e}};const vt=class extends t{static type="anchor";name;constructor({name:t,...e}){super({...e}),this.name=t}};let mt=function(t){return t.Plain="Plain",t.SingleQuoted="SingleQuoted",t.DoubleQuoted="DoubleQuoted",t.Literal="Literal",t.Folded="Folded",t.Explicit="Explicit",t.SinglePair="SinglePair",t.NextLine="NextLine",t.InLine="InLine",t}({}),bt=function(t){return t.Flow="Flow",t.Block="Block",t}({});const xt=i((function(t){return null===t?"Null":void 0===t?"Undefined":Object.prototype.toString.call(t).slice(8,-1)}));function St(t,e,r){if(r||(r=new wt),function(t){var e=typeof t;return null==t||"object"!=e&&"function"!=e}(t))return t;var n,o=function(n){var o=r.get(t);if(o)return o;for(var i in r.set(t,n),t)Object.prototype.hasOwnProperty.call(t,i)&&(n[i]=e?St(t[i],!0,r):t[i]);return n};switch(xt(t)){case"Object":return o(Object.create(Object.getPrototypeOf(t)));case"Array":return o([]);case"Date":return new Date(t.valueOf());case"RegExp":return n=t,new RegExp(n.source,n.flags?n.flags:(n.global?"g":"")+(n.ignoreCase?"i":"")+(n.multiline?"m":"")+(n.sticky?"y":"")+(n.unicode?"u":"")+(n.dotAll?"s":""));case"Int8Array":case"Uint8Array":case"Uint8ClampedArray":case"Int16Array":case"Uint16Array":case"Int32Array":case"Uint32Array":case"Float32Array":case"Float64Array":case"BigInt64Array":case"BigUint64Array":return t.slice();default:return t}}var wt=function(){function t(){this.map={},this.length=0}return t.prototype.set=function(t,e){const r=this.hash(t);let n=this.map[r];n||(this.map[r]=n=[]),n.push([t,e]),this.length+=1},t.prototype.hash=function(t){let e=[];for(var r in t)e.push(Object.prototype.toString.call(t[r]));return e.join()},t.prototype.get=function(t){if(this.length<=180){for(const e in this.map){const r=this.map[e];for(let e=0;e<r.length;e+=1){const n=r[e];if(n[0]===t)return n[1]}}return}const e=this.hash(t),r=this.map[e];if(r)for(let e=0;e<r.length;e+=1){const n=r[e];if(n[0]===t)return n[1]}},t}();const Ot=i((function(t){return null!=t&&"function"==typeof t.clone?t.clone():St(t,!0)}));var jt=r(1212);const Et=class extends jt{constructor(t,e,r){if(super(t,e,r),this.name=this.constructor.name,"string"==typeof e&&(this.message=e),"function"==typeof Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=new Error(e).stack,null!=r&&"object"==typeof r&&Object.hasOwn(r,"cause")&&!("cause"in this)){const{cause:t}=r;this.cause=t,t instanceof Error&&"stack"in t&&(this.stack=`${this.stack}\nCAUSE: ${t.stack}`)}}};class At extends Error{static[Symbol.hasInstance](t){return super[Symbol.hasInstance](t)||Function.prototype[Symbol.hasInstance].call(Et,t)}constructor(t,e){if(super(t,e),this.name=this.constructor.name,"string"==typeof t&&(this.message=t),"function"==typeof Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=new Error(t).stack,null!=e&&"object"==typeof e&&Object.hasOwn(e,"cause")&&!("cause"in this)){const{cause:t}=e;this.cause=t,t instanceof Error&&"stack"in t&&(this.stack=`${this.stack}\nCAUSE: ${t.stack}`)}}}const Tt=At;const kt=class extends Tt{constructor(t,e){if(super(t,e),null!=e&&"object"==typeof e){const{cause:t,...r}=e;Object.assign(this,r)}}};const Pt=class extends kt{};const Nt=class extends Pt{};const Mt=class extends Nt{specificTagName;explicitTagName;tagKind;tagPosition;nodeCanonicalContent;node;constructor(t,e){super(t,e),void 0!==e&&(this.specificTagName=e.specificTagName,this.explicitTagName=e.explicitTagName,this.tagKind=e.tagKind,this.tagPosition=e.tagPosition,this.nodeCanonicalContent=e.nodeCanonicalContent,this.node=e.node)}};const Ct=class{static uri="";tag="";constructor(){this.tag=this.constructor.uri}test(t){return!0}resolve(t){return t}};const Ft=class extends Ct{static uri="tag:yaml.org,2002:map";test(t){return t.tag.kind===gt.Mapping}};const It=class extends Ct{static uri="tag:yaml.org,2002:seq";test(t){return t.tag.kind===gt.Sequence}};const Lt=class extends Ct{static uri="tag:yaml.org,2002:str"};function Rt(t){return function e(r,n,c){switch(arguments.length){case 0:return e;case 1:return o(r)?e:s((function(e,n){return t(r,e,n)}));case 2:return o(r)&&o(n)?e:o(r)?s((function(e,r){return t(e,n,r)})):o(n)?s((function(e,n){return t(r,e,n)})):i((function(e){return t(r,n,e)}));default:return o(r)&&o(n)&&o(c)?e:o(r)&&o(n)?s((function(e,r){return t(e,r,c)})):o(r)&&o(c)?s((function(e,r){return t(e,n,r)})):o(n)&&o(c)?s((function(e,n){return t(r,e,n)})):o(r)?i((function(e){return t(e,n,c)})):o(n)?i((function(e){return t(r,e,c)})):o(c)?i((function(e){return t(r,n,e)})):t(r,n,c)}}}const Dt=s((function(t,e){return null==e||e!=e?t:e})),Yt=Number.isInteger||function(t){return t<<0===t};const Ut=s((function(t,e){return t.map((function(t){for(var r,n=e,o=0;o<t.length;){if(null==n)return;r=t[o],n=Yt(r)?a(r,n):n[r],o+=1}return n}))}));const _t=s((function(t,e){return Ut([t],e)[0]}));const qt=Rt((function(t,e,r){return Dt(t,_t(e,r))}));function Gt(t,e){switch(t){case 0:return function(){return e.apply(this,arguments)};case 1:return function(t){return e.apply(this,arguments)};case 2:return function(t,r){return e.apply(this,arguments)};case 3:return function(t,r,n){return e.apply(this,arguments)};case 4:return function(t,r,n,o){return e.apply(this,arguments)};case 5:return function(t,r,n,o,i){return e.apply(this,arguments)};case 6:return function(t,r,n,o,i,s){return e.apply(this,arguments)};case 7:return function(t,r,n,o,i,s,c){return e.apply(this,arguments)};case 8:return function(t,r,n,o,i,s,c,a){return e.apply(this,arguments)};case 9:return function(t,r,n,o,i,s,c,a,u){return e.apply(this,arguments)};case 10:return function(t,r,n,o,i,s,c,a,u,l){return e.apply(this,arguments)};default:throw new Error("First argument to _arity must be a non-negative integer no greater than ten")}}function Jt(t,e,r){return function(){for(var n=[],i=0,s=t,c=0,a=!1;c<e.length||i<arguments.length;){var u;c<e.length&&(!o(e[c])||i>=arguments.length)?u=e[c]:(u=arguments[i],i+=1),n[c]=u,o(u)?a=!0:s-=1,c+=1}return!a&&s<=0?r.apply(this,n):Gt(Math.max(0,s),Jt(t,n,r))}}const $t=s((function(t,e){return 1===t?i(e):Gt(t,Jt(t,[],e))}));const Vt=i((function(t){return $t(t.length,t)}));function zt(t,e){return function(){return e.call(this,t.apply(this,arguments))}}const Bt=Array.isArray||function(t){return null!=t&&t.length>=0&&"[object Array]"===Object.prototype.toString.call(t)};const Ht=i((function(t){return!!Bt(t)||!!t&&("object"==typeof t&&(!c(t)&&(0===t.length||t.length>0&&(t.hasOwnProperty(0)&&t.hasOwnProperty(t.length-1)))))}));var Kt="undefined"!=typeof Symbol?Symbol.iterator:"@@iterator";function Wt(t,e,r){return function(n,o,i){if(Ht(i))return t(n,o,i);if(null==i)return o;if("function"==typeof i["fantasy-land/reduce"])return e(n,o,i,"fantasy-land/reduce");if(null!=i[Kt])return r(n,o,i[Kt]());if("function"==typeof i.next)return r(n,o,i);if("function"==typeof i.reduce)return e(n,o,i,"reduce");throw new TypeError("reduce: list must be array or iterable")}}function Qt(t,e,r){for(var n=0,o=r.length;n<o;){if((e=t["@@transducer/step"](e,r[n]))&&e["@@transducer/reduced"]){e=e["@@transducer/value"];break}n+=1}return t["@@transducer/result"](e)}const Xt=s((function(t,e){return Gt(t.length,(function(){return t.apply(e,arguments)}))}));function Zt(t,e,r){for(var n=r.next();!n.done;){if((e=t["@@transducer/step"](e,n.value))&&e["@@transducer/reduced"]){e=e["@@transducer/value"];break}n=r.next()}return t["@@transducer/result"](e)}function te(t,e,r,n){return t["@@transducer/result"](r[n](Xt(t["@@transducer/step"],t),e))}const ee=Wt(Qt,te,Zt);var re=function(){function t(t){this.f=t}return t.prototype["@@transducer/init"]=function(){throw new Error("init not implemented on XWrap")},t.prototype["@@transducer/result"]=function(t){return t},t.prototype["@@transducer/step"]=function(t,e){return this.f(t,e)},t}();function ne(t){return new re(t)}const oe=Rt((function(t,e,r){return ee("function"==typeof t?ne(t):t,e,r)}));function ie(t,e){return function(){var r=arguments.length;if(0===r)return e();var n=arguments[r-1];return Bt(n)||"function"!=typeof n[t]?e.apply(this,arguments):n[t].apply(n,Array.prototype.slice.call(arguments,0,r-1))}}const se=Rt(ie("slice",(function(t,e,r){return Array.prototype.slice.call(r,t,e)})));const ce=i(ie("tail",se(1,1/0)));function ae(){if(0===arguments.length)throw new Error("pipe requires at least one argument");return Gt(arguments[0].length,oe(zt,arguments[0],ce(arguments)))}var ue="\t\n\v\f\r                 \u2028\u2029\ufeff";const le=i("function"==typeof String.prototype.trim&&!ue.trim()&&"​".trim()?function(t){return t.trim()}:function(t){var e=new RegExp("^["+ue+"]["+ue+"]*"),r=new RegExp("["+ue+"]["+ue+"]*$");return t.replace(e,"").replace(r,"")});function fe(t){var e=Object.prototype.toString.call(t);return"[object Function]"===e||"[object AsyncFunction]"===e||"[object GeneratorFunction]"===e||"[object AsyncGeneratorFunction]"===e}function pe(t){for(var e,r=[];!(e=t.next()).done;)r.push(e.value);return r}function ye(t,e,r){for(var n=0,o=r.length;n<o;){if(t(e,r[n]))return!0;n+=1}return!1}const he="function"==typeof Object.is?Object.is:function(t,e){return t===e?0!==t||1/t==1/e:t!=t&&e!=e};var ge=Object.prototype.toString;const de=function(){return"[object Arguments]"===ge.call(arguments)?function(t){return"[object Arguments]"===ge.call(t)}:function(t){return $("callee",t)}}();var ve=!{toString:null}.propertyIsEnumerable("toString"),me=["constructor","valueOf","isPrototypeOf","toString","propertyIsEnumerable","hasOwnProperty","toLocaleString"],be=function(){return arguments.propertyIsEnumerable("length")}(),xe=function(t,e){for(var r=0;r<t.length;){if(t[r]===e)return!0;r+=1}return!1},Se="function"!=typeof Object.keys||be?i((function(t){if(Object(t)!==t)return[];var e,r,n=[],o=be&&de(t);for(e in t)!$(e,t)||o&&"length"===e||(n[n.length]=e);if(ve)for(r=me.length-1;r>=0;)$(e=me[r],t)&&!xe(n,e)&&(n[n.length]=e),r-=1;return n})):i((function(t){return Object(t)!==t?[]:Object.keys(t)}));const we=Se;function Oe(t,e,r,n){var o=pe(t);function i(t,e){return je(t,e,r.slice(),n.slice())}return!ye((function(t,e){return!ye(i,e,t)}),pe(e),o)}function je(t,e,r,n){if(he(t,e))return!0;var o,i,s=xt(t);if(s!==xt(e))return!1;if("function"==typeof t["fantasy-land/equals"]||"function"==typeof e["fantasy-land/equals"])return"function"==typeof t["fantasy-land/equals"]&&t["fantasy-land/equals"](e)&&"function"==typeof e["fantasy-land/equals"]&&e["fantasy-land/equals"](t);if("function"==typeof t.equals||"function"==typeof e.equals)return"function"==typeof t.equals&&t.equals(e)&&"function"==typeof e.equals&&e.equals(t);switch(s){case"Arguments":case"Array":case"Object":if("function"==typeof t.constructor&&"Promise"===(o=t.constructor,null==(i=String(o).match(/^function (\w*)/))?"":i[1]))return t===e;break;case"Boolean":case"Number":case"String":if(typeof t!=typeof e||!he(t.valueOf(),e.valueOf()))return!1;break;case"Date":if(!he(t.valueOf(),e.valueOf()))return!1;break;case"Error":return t.name===e.name&&t.message===e.message;case"RegExp":if(t.source!==e.source||t.global!==e.global||t.ignoreCase!==e.ignoreCase||t.multiline!==e.multiline||t.sticky!==e.sticky||t.unicode!==e.unicode)return!1}for(var c=r.length-1;c>=0;){if(r[c]===t)return n[c]===e;c-=1}switch(s){case"Map":return t.size===e.size&&Oe(t.entries(),e.entries(),r.concat([t]),n.concat([e]));case"Set":return t.size===e.size&&Oe(t.values(),e.values(),r.concat([t]),n.concat([e]));case"Arguments":case"Array":case"Object":case"Boolean":case"Number":case"String":case"Date":case"Error":case"RegExp":case"Int8Array":case"Uint8Array":case"Uint8ClampedArray":case"Int16Array":case"Uint16Array":case"Int32Array":case"Uint32Array":case"Float32Array":case"Float64Array":case"ArrayBuffer":break;default:return!1}var a=we(t);if(a.length!==we(e).length)return!1;var u=r.concat([t]),l=n.concat([e]);for(c=a.length-1;c>=0;){var f=a[c];if(!$(f,e)||!je(e[f],t[f],u,l))return!1;c-=1}return!0}const Ee=s((function(t,e){return je(t,e,[],[])}));function Ae(t,e){return function(t,e,r){var n,o;if("function"==typeof t.indexOf)switch(typeof e){case"number":if(0===e){for(n=1/e;r<t.length;){if(0===(o=t[r])&&1/o===n)return r;r+=1}return-1}if(e!=e){for(;r<t.length;){if("number"==typeof(o=t[r])&&o!=o)return r;r+=1}return-1}return t.indexOf(e,r);case"string":case"boolean":case"function":case"undefined":return t.indexOf(e,r);case"object":if(null===e)return t.indexOf(e,r)}for(;r<t.length;){if(Ee(t[r],e))return r;r+=1}return-1}(e,t,0)>=0}function Te(t,e){for(var r=0,n=e.length,o=Array(n);r<n;)o[r]=t(e[r]),r+=1;return o}function ke(t){return'"'+t.replace(/\\/g,"\\\\").replace(/[\b]/g,"\\b").replace(/\f/g,"\\f").replace(/\n/g,"\\n").replace(/\r/g,"\\r").replace(/\t/g,"\\t").replace(/\v/g,"\\v").replace(/\0/g,"\\0").replace(/"/g,'\\"')+'"'}var Pe=function(t){return(t<10?"0":"")+t};const Ne="function"==typeof Date.prototype.toISOString?function(t){return t.toISOString()}:function(t){return t.getUTCFullYear()+"-"+Pe(t.getUTCMonth()+1)+"-"+Pe(t.getUTCDate())+"T"+Pe(t.getUTCHours())+":"+Pe(t.getUTCMinutes())+":"+Pe(t.getUTCSeconds())+"."+(t.getUTCMilliseconds()/1e3).toFixed(3).slice(2,5)+"Z"};function Me(t,e,r){for(var n=0,o=r.length;n<o;)e=t(e,r[n]),n+=1;return e}function Ce(t,e,r){return function(){if(0===arguments.length)return r();var n=arguments[arguments.length-1];if(!Bt(n)){for(var o=0;o<t.length;){if("function"==typeof n[t[o]])return n[t[o]].apply(n,Array.prototype.slice.call(arguments,0,-1));o+=1}if(function(t){return null!=t&&"function"==typeof t["@@transducer/step"]}(n))return e.apply(null,Array.prototype.slice.call(arguments,0,-1))(n)}return r.apply(this,arguments)}}const Fe=function(){return this.xf["@@transducer/init"]()},Ie=function(t){return this.xf["@@transducer/result"](t)};var Le=function(){function t(t,e){this.xf=e,this.f=t}return t.prototype["@@transducer/init"]=Fe,t.prototype["@@transducer/result"]=Ie,t.prototype["@@transducer/step"]=function(t,e){return this.f(e)?this.xf["@@transducer/step"](t,e):t},t}();function Re(t){return function(e){return new Le(t,e)}}const De=s(Ce(["fantasy-land/filter","filter"],Re,(function(t,e){return r=e,"[object Object]"===Object.prototype.toString.call(r)?Me((function(r,n){return t(e[n])&&(r[n]=e[n]),r}),{},we(e)):function(t,e){for(var r=0,n=e.length,o=[];r<n;)t(e[r])&&(o[o.length]=e[r]),r+=1;return o}(t,e);var r})));const Ye=s((function(t,e){return De((r=t,function(){return!r.apply(this,arguments)}),e);var r}));function Ue(t,e){var r=function(r){var n=e.concat([t]);return Ae(r,n)?"<Circular>":Ue(r,n)},n=function(t,e){return Te((function(e){return ke(e)+": "+r(t[e])}),e.slice().sort())};switch(Object.prototype.toString.call(t)){case"[object Arguments]":return"(function() { return arguments; }("+Te(r,t).join(", ")+"))";case"[object Array]":return"["+Te(r,t).concat(n(t,Ye((function(t){return/^\d+$/.test(t)}),we(t)))).join(", ")+"]";case"[object Boolean]":return"object"==typeof t?"new Boolean("+r(t.valueOf())+")":t.toString();case"[object Date]":return"new Date("+(isNaN(t.valueOf())?r(NaN):ke(Ne(t)))+")";case"[object Map]":return"new Map("+r(Array.from(t))+")";case"[object Null]":return"null";case"[object Number]":return"object"==typeof t?"new Number("+r(t.valueOf())+")":1/t==-1/0?"-0":t.toString(10);case"[object Set]":return"new Set("+r(Array.from(t).sort())+")";case"[object String]":return"object"==typeof t?"new String("+r(t.valueOf())+")":ke(t);case"[object Undefined]":return"undefined";default:if("function"==typeof t.toString){var o=t.toString();if("[object Object]"!==o)return o}return"{"+n(t,we(t)).join(", ")+"}"}}const _e=i((function(t){return Ue(t,[])}));const qe=s((function(t,e){return $t(t+1,(function(){var r=arguments[t];if(null!=r&&fe(r[e]))return r[e].apply(r,Array.prototype.slice.call(arguments,0,t));throw new TypeError(_e(r)+' does not have a method named "'+e+'"')}))}));const Ge=qe(1,"split");var Je=function(){function t(t,e){this.xf=e,this.f=t}return t.prototype["@@transducer/init"]=Fe,t.prototype["@@transducer/result"]=Ie,t.prototype["@@transducer/step"]=function(t,e){return this.xf["@@transducer/step"](t,this.f(e))},t}();const $e=s(Ce(["fantasy-land/map","map"],(function(t){return function(e){return new Je(t,e)}}),(function(t,e){switch(Object.prototype.toString.call(e)){case"[object Function]":return $t(e.length,(function(){return t.call(this,e.apply(this,arguments))}));case"[object Object]":return Me((function(r,n){return r[n]=t(e[n]),r}),{},we(e));default:return Te(t,e)}})));const Ve=qe(1,"join");const ze=i((function(t){return c(t)?t.split("").reverse().join(""):Array.prototype.slice.call(t,0).reverse()}));function Be(){if(0===arguments.length)throw new Error("compose requires at least one argument");return ae.apply(this,ze(arguments))}const He=$t(4,(function(t,e,r,n){return ee(t("function"==typeof e?ne(e):e),r,n)}));const Ke=s((function(t,e){if(Bt(t)){if(Bt(e))return t.concat(e);throw new TypeError(_e(e)+" is not an array")}if(c(t)){if(c(e))return t+e;throw new TypeError(_e(e)+" is not a string")}if(null!=t&&fe(t["fantasy-land/concat"]))return t["fantasy-land/concat"](e);if(null!=t&&fe(t.concat))return t.concat(e);throw new TypeError(_e(t)+' does not have a method named "concat" or "fantasy-land/concat"')}));const We=Ee("");const Qe=s((function(t,e){if(t===e)return e;function r(t,e){if(t>e!=e>t)return e>t?e:t}var n=r(t,e);if(void 0!==n)return n;var o=r(typeof t,typeof e);if(void 0!==o)return o===typeof t?t:e;var i=_e(t),s=r(i,_e(e));return void 0!==s&&s===i?t:e}));const Xe=s((function(t,e){if(null!=e)return Yt(t)?a(t,e):e[t]}));const Ze=s((function(t,e){return $e(Xe(t),e)}));const tr=i((function(t){return $t(oe(Qe,0,Ze("length",t)),(function(){for(var e=0,r=t.length;e<r;){if(t[e].apply(this,arguments))return!0;e+=1}return!1}))}));var er=function(t,e){switch(arguments.length){case 0:return er;case 1:return function e(r){return 0===arguments.length?e:he(t,r)};default:return he(t,e)}};const rr=er;const nr=$t(1,ae(xt,rr("GeneratorFunction")));const or=$t(1,ae(xt,rr("AsyncFunction")));const ir=tr([ae(xt,rr("Function")),nr,or]);const sr=s((function(t,e){return t&&e}));function cr(t,e,r){for(var n=r.next();!n.done;)e=t(e,n.value),n=r.next();return e}function ar(t,e,r,n){return r[n](t,e)}const ur=Wt(Me,ar,cr);const lr=s((function(t,e){return"function"==typeof e["fantasy-land/ap"]?e["fantasy-land/ap"](t):"function"==typeof t.ap?t.ap(e):"function"==typeof t?function(r){return t(r)(e(r))}:ur((function(t,r){return function(t,e){var r;e=e||[];var n=(t=t||[]).length,o=e.length,i=[];for(r=0;r<n;)i[i.length]=t[r],r+=1;for(r=0;r<o;)i[i.length]=e[r],r+=1;return i}(t,$e(r,e))}),[],t)}));const fr=s((function(t,e){var r=$t(t,e);return $t(t,(function(){return Me(lr,$e(r,arguments[0]),Array.prototype.slice.call(arguments,1))}))}));const pr=i((function(t){return fr(t.length,t)}));const yr=s((function(t,e){return fe(t)?function(){return t.apply(this,arguments)&&e.apply(this,arguments)}:pr(sr)(t,e)}));const hr=s((function(t,e){return $t(oe(Qe,0,Ze("length",e)),(function(){var r=arguments,n=this;return t.apply(n,Te((function(t){return t.apply(n,r)}),e))}))}));function gr(t){return t}const dr=i(gr);const vr=$t(1,ae(xt,rr("Number")));var mr=yr(vr,isFinite);var br=$t(1,mr);const xr=ir(Number.isFinite)?$t(1,Xt(Number.isFinite,Number)):br;var Sr=yr(xr,hr(Ee,[Math.floor,dr]));var wr=$t(1,Sr);const Or=ir(Number.isInteger)?$t(1,Xt(Number.isInteger,Number)):wr;const jr=i((function(t){return $t(t.length,(function(e,r){var n=Array.prototype.slice.call(arguments,0);return n[0]=r,n[1]=e,t.apply(this,n)}))}));const Er=pr(i((function(t){return!t})))(xr);const Ar=$t(1,yr(vr,s((function(t,e){return t>e}))(0)));var Tr=Vt((function(t,e){var r=Number(e);if(r!==e&&(r=0),Ar(r))throw new RangeError("repeat count must be non-negative");if(Er(r))throw new RangeError("repeat count must be less than infinity");if(r=Math.floor(r),0===t.length||0===r)return"";if(t.length*r>=1<<28)throw new RangeError("repeat count must not overflow maximum string size");var n=t.length*r;r=Math.floor(Math.log(r)/Math.log(2));for(var o=t;r;)o+=t,r-=1;return o+=o.substring(0,n-o.length)})),kr=jr(qe(1,"repeat"));const Pr=ir(String.prototype.repeat)?kr:Tr;var Nr=i((function(t){return function(){return t}}))(void 0);const Mr=Ee(Nr());const Cr=Rt((function(t,e,r){return r.replace(t,e)}));var Fr=Cr(/[\s\uFEFF\xA0]+$/,""),Ir=qe(0,"trimEnd");const Lr=ir(String.prototype.trimEnd)?Ir:Fr;var Rr=Cr(/^[\s\uFEFF\xA0]+/,""),Dr=qe(0,"trimStart");const Yr=ir(String.prototype.trimStart)?Dr:Rr;var Ur=function(){function t(t,e){this.xf=e,this.f=t}return t.prototype["@@transducer/init"]=Fe,t.prototype["@@transducer/result"]=Ie,t.prototype["@@transducer/step"]=function(t,e){if(this.f){if(this.f(e))return t;this.f=null}return this.xf["@@transducer/step"](t,e)},t}();function _r(t){return function(e){return new Ur(t,e)}}const qr=s(Ce(["dropWhile"],_r,(function(t,e){for(var r=0,n=e.length;r<n&&t(e[r]);)r+=1;return se(r,1/0,e)})));const Gr=jr(s(Ae));const Jr=Vt((function(t,e){return ae(Ge(""),qr(Gr(t)),Ve(""))(e)}));const $r=jr(Ke);var Vr=r(6850);const zr=/^(?<style>[|>])(?<chomping>[+-]?)(?<indentation>[0-9]*)\s/,Br=t=>{const e=(t=>{const e=t.match(zr),r=qt("",["groups","indentation"],e);return We(r)?void 0:parseInt(r,10)})(t);if(Or(e))return Pr(" ",e);const r=qt("",[1],t.split("\n")),n=qt(0,["groups","indentation","length"],r.match(/^(?<indentation>[ ]*)/));return Pr(" ",n)},Hr=t=>{const e=t.match(zr),r=qt("",["groups","chomping"],e);return We(r)?void 0:r},Kr=(t,e)=>Mr(t)?`${Lr(e)}\n`:"-"===t?Lr(e):e,Wr=t=>t.replace(/\r\n/g,"\n"),Qr=t=>t.replace(/(\n)?\n([^\n]+)/g,((t,e,r)=>e?t:` ${r.trimStart()}`)).replace(/[\n]{2}/g,"\n"),Xr=Vt(((t,e)=>e.replace(new RegExp(`^${t}`),"").replace(new RegExp(`${t}$`),""))),Zr=ae(Wr,le,Qr,Ge("\n"),$e(Yr),Ve("\n")),tn=ae(Wr,le,Qr,Ge("\n"),$e(Yr),Ve("\n"),Xr("'")),en=ae(Wr,le,(t=>t.replace(/\\\n\s*/g,"")),Qr,Vr.MH,Ge("\n"),$e(Yr),Ve("\n"),Xr('"'));const rn=class{static test(t){return t.tag.kind===gt.Scalar&&"string"==typeof t.content}static canonicalFormat(t){let e=t.content;const r=t.clone();return t.style===mt.Plain?e=Zr(t.content):t.style===mt.SingleQuoted?e=tn(t.content):t.style===mt.DoubleQuoted?e=en(t.content):t.style===mt.Literal?e=(t=>{const e=Br(t),r=Hr(t),n=Wr(t),o=ce(n.split("\n")),i=Be($e(Jr(e)),$e($r("\n"))),s=He(i,Ke,"",o);return Kr(r,s)})(t.content):t.style===mt.Folded&&(e=(t=>{const e=Br(t),r=Hr(t),n=Wr(t),o=ce(n.split("\n")),i=Be($e(Jr(e)),$e($r("\n"))),s=He(i,Ke,"",o),c=Qr(s);return Kr(r,c)})(t.content)),r.content=e,r}static resolve(t){return t}};const nn=class{tags;tagDirectives;constructor(){this.tags=[],this.tagDirectives=[],this.registerTag(new Ft),this.registerTag(new It),this.registerTag(new Lt)}toSpecificTagName(t){let e=t.tag.explicitName;return"!"===t.tag.explicitName?t.tag.kind===gt.Scalar?e=Lt.uri:t.tag.kind===gt.Sequence?e=It.uri:t.tag.kind===gt.Mapping&&(e=Ft.uri):t.tag.explicitName.startsWith("!<")?e=t.tag.explicitName.replace(/^!</,"").replace(/>$/,""):t.tag.explicitName.startsWith("!!")&&(e=`tag:yaml.org,2002:${t.tag.explicitName.replace(/^!!/,"")}`),e}registerTagDirective(t){this.tagDirectives.push({handle:t.parameters.handle,prefix:t.parameters.prefix})}registerTag(t,e=!1){return e?this.tags.unshift(t):this.tags.push(t),this}overrideTag(t){return this.tags=this.tags.filter((e=>e.tag===t.tag)),this.tags.push(t),this}resolve(t){const e=this.toSpecificTagName(t);if("?"===e)return t;let r=t;rn.test(t)&&(r=rn.canonicalFormat(t));const n=this.tags.find((t=>t?.tag===e));if(void 0===n)throw new Mt(`Tag "${e}" was not recognized.`,{specificTagName:e,explicitTagName:t.tag.explicitName,tagKind:t.tag.kind,tagPosition:Ot(t.tag.position),node:t.clone()});if(!n.test(r))throw new Mt(`Node couldn't be resolved against the tag "${e}"`,{specificTagName:e,explicitTagName:t.tag.explicitName,tagKind:t.tag.kind,tagPosition:Ot(t.tag.position),nodeCanonicalContent:r.content,node:t.clone()});return n.resolve(r)}};const on=class extends Ct{static uri="tag:yaml.org,2002:bool";test(t){return/^(true|false)$/.test(t.content)}resolve(t){const e="true"===t.content,r=t.clone();return r.content=e,r}};const sn=class extends Ct{static uri="tag:yaml.org,2002:float";test(t){return/^-?(0|[1-9][0-9]*)(\.[0-9]*)?([eE][-+]?[0-9]+)?$/.test(t.content)}resolve(t){const e=parseFloat(t.content),r=t.clone();return r.content=e,r}};const cn=class extends Ct{static uri="tag:yaml.org,2002:int";test(t){return/^-?(0|[1-9][0-9]*)$/.test(t.content)}resolve(t){const e=parseInt(t.content,10),r=t.clone();return r.content=e,r}};const an=class extends Ct{static uri="tag:yaml.org,2002:null";test(t){return/^null$/.test(t.content)}resolve(t){const e=t.clone();return e.content=null,e}};const un=class extends nn{constructor(){super(),this.registerTag(new on,!0),this.registerTag(new sn,!0),this.registerTag(new cn,!0),this.registerTag(new an,!0)}toSpecificTagName(t){let e=super.toSpecificTagName(t);if("?"===e)if(t.tag.vkind===gt.Sequence)e=It.uri;else if(t.tag.kind===gt.Mapping)e=Ft.uri;else if(t.tag.kind===gt.Scalar){const r=this.tags.find((e=>e.test(t)));e=r?.tag||"?"}return e}};const ln=class extends Pt{};const fn=class{addAnchor(t){if(!et(t.anchor))throw new ln("Expected YAML anchor to be attached the the YAML AST node.",{node:t})}resolveAlias(t){return new lt({content:t.content,style:mt.Plain,styleGroup:bt.Flow})}};const pn=class extends t{static type="literal";value;constructor({value:t,...e}={}){super({...e}),this.value=t}};class yn{static type="point";type=yn.type;row;column;char;constructor({row:t,column:e,char:r}){this.row=t,this.column=e,this.char=r}}class hn{static type="position";type=hn.type;start;end;constructor({start:t,end:e}){this.start=t,this.end=e}}const gn=hn;const dn=class extends t{static type="error";value;isUnexpected;constructor({value:t,isUnexpected:e=!1,...r}={}){super({...r}),this.value=t,this.isUnexpected=e}};const vn=class extends t{static type="parseResult";get rootNode(){return u(this.children)}},mn=(t,e,r)=>{const n=t[e];if(null!=n){if(!r&&"function"==typeof n)return n;const t=r?n.leave:n.enter;if("function"==typeof t)return t}else{const n=r?t.leave:t.enter;if(null!=n){if("function"==typeof n)return n;const t=n[e];if("function"==typeof t)return t}}return null},bn={},xn=t=>t?.type,Sn=t=>"string"==typeof xn(t),wn=t=>Object.create(Object.getPrototypeOf(t),Object.getOwnPropertyDescriptors(t)),On=(t,{visitFnGetter:e=mn,nodeTypeGetter:r=xn,breakSymbol:n=bn,deleteNodeSymbol:o=null,skipVisitingNodeSymbol:i=!1,exposeEdits:s=!1}={})=>{const c=Symbol("skip"),a=new Array(t.length).fill(c);return{enter(u,...l){let f=u,p=!1;for(let y=0;y<t.length;y+=1)if(a[y]===c){const c=e(t[y],r(f),!1);if("function"==typeof c){const e=c.call(t[y],f,...l);if(e===i)a[y]=u;else if(e===n)a[y]=n;else{if(e===o)return e;if(void 0!==e){if(!s)return e;f=e,p=!0}}}}return p?f:void 0},leave(o,...s){for(let u=0;u<t.length;u+=1)if(a[u]===c){const c=e(t[u],r(o),!0);if("function"==typeof c){const e=c.call(t[u],o,...s);if(e===n)a[u]=n;else if(void 0!==e&&e!==i)return e}}else a[u]===o&&(a[u]=c)}}};On[Symbol.for("nodejs.util.promisify.custom")]=(t,{visitFnGetter:e=mn,nodeTypeGetter:r=xn,breakSymbol:n=bn,deleteNodeSymbol:o=null,skipVisitingNodeSymbol:i=!1,exposeEdits:s=!1}={})=>{const c=Symbol("skip"),a=new Array(t.length).fill(c);return{async enter(u,...l){let f=u,p=!1;for(let y=0;y<t.length;y+=1)if(a[y]===c){const c=e(t[y],r(f),!1);if("function"==typeof c){const e=await c.call(t[y],f,...l);if(e===i)a[y]=u;else if(e===n)a[y]=n;else{if(e===o)return e;if(void 0!==e){if(!s)return e;f=e,p=!0}}}}return p?f:void 0},async leave(o,...s){for(let u=0;u<t.length;u+=1)if(a[u]===c){const c=e(t[u],r(o),!0);if("function"==typeof c){const e=await c.call(t[u],o,...s);if(e===n)a[u]=n;else if(void 0!==e&&e!==i)return e}}else a[u]===o&&(a[u]=c)}}};const jn=(t,e,{keyMap:r=null,state:n={},breakSymbol:o=bn,deleteNodeSymbol:i=null,skipVisitingNodeSymbol:s=!1,visitFnGetter:c=mn,nodeTypeGetter:a=xn,nodePredicate:u=Sn,nodeCloneFn:l=wn,detectCycles:f=!0}={})=>{const p=r||{};let y,h,g=Array.isArray(t),d=[t],v=-1,m=[],b=t;const x=[],S=[];do{v+=1;const t=v===d.length;let r;const w=t&&0!==m.length;if(t){if(r=0===S.length?void 0:x.pop(),b=h,h=S.pop(),w)if(g){b=b.slice();let t=0;for(const[e,r]of m){const n=e-t;r===i?(b.splice(n,1),t+=1):b[n]=r}}else{b=l(b);for(const[t,e]of m)b[t]=e}v=y.index,d=y.keys,m=y.edits,g=y.inArray,y=y.prev}else if(h!==i&&void 0!==h){if(r=g?v:d[v],b=h[r],b===i||void 0===b)continue;x.push(r)}let O;if(!Array.isArray(b)){if(!u(b))throw new kt(`Invalid AST Node: ${String(b)}`,{node:b});if(f&&S.includes(b)){x.pop();continue}const i=c(e,a(b),t);if(i){for(const[t,r]of Object.entries(n))e[t]=r;O=i.call(e,b,r,h,x,S)}if(O===o)break;if(O===s){if(!t){x.pop();continue}}else if(void 0!==O&&(m.push([r,O]),!t)){if(!u(O)){x.pop();continue}b=O}}void 0===O&&w&&m.push([r,b]),t||(y={inArray:g,index:v,keys:d,edits:m,prev:y},g=Array.isArray(b),d=g?b:p[a(b)]??[],v=-1,m=[],h!==i&&void 0!==h&&S.push(h),h=b)}while(void 0!==y);return 0!==m.length?m[m.length-1][1]:t};jn[Symbol.for("nodejs.util.promisify.custom")]=async(t,e,{keyMap:r=null,state:n={},breakSymbol:o=bn,deleteNodeSymbol:i=null,skipVisitingNodeSymbol:s=!1,visitFnGetter:c=mn,nodeTypeGetter:a=xn,nodePredicate:u=Sn,nodeCloneFn:l=wn,detectCycles:f=!0}={})=>{const p=r||{};let y,h,g=Array.isArray(t),d=[t],v=-1,m=[],b=t;const x=[],S=[];do{v+=1;const t=v===d.length;let r;const w=t&&0!==m.length;if(t){if(r=0===S.length?void 0:x.pop(),b=h,h=S.pop(),w)if(g){b=b.slice();let t=0;for(const[e,r]of m){const n=e-t;r===i?(b.splice(n,1),t+=1):b[n]=r}}else{b=l(b);for(const[t,e]of m)b[t]=e}v=y.index,d=y.keys,m=y.edits,g=y.inArray,y=y.prev}else if(h!==i&&void 0!==h){if(r=g?v:d[v],b=h[r],b===i||void 0===b)continue;x.push(r)}let O;if(!Array.isArray(b)){if(!u(b))throw new kt(`Invalid AST Node: ${String(b)}`,{node:b});if(f&&S.includes(b)){x.pop();continue}const i=c(e,a(b),t);if(i){for(const[t,r]of Object.entries(n))e[t]=r;O=await i.call(e,b,r,h,x,S)}if(O===o)break;if(O===s){if(!t){x.pop();continue}}else if(void 0!==O&&(m.push([r,O]),!t)){if(!u(O)){x.pop();continue}b=O}}void 0===O&&w&&m.push([r,b]),t||(y={inArray:g,index:v,keys:d,edits:m,prev:y},g=Array.isArray(b),d=g?b:p[a(b)]??[],v=-1,m=[],h!==i&&void 0!==h&&S.push(h),h=b)}while(void 0!==y);return 0!==m.length?m[m.length-1][1]:t}})(),n})()));
package/es/index.mjs CHANGED
@@ -42,4 +42,4 @@ export { Point, default as Position } from "./Position.mjs";
42
42
  export { default as Error } from "./Error.mjs";
43
43
  export { default as ParseResult } from "./ParseResult.mjs";
44
44
  export { isParseResult, isLiteral, isPoint, isPosition } from "./predicates.mjs"; // AST traversal related exports
45
- export { getVisitFn, BREAK, mergeAll as mergeAllVisitors, visit, getNodeType, isNode, cloneNode } from "./traversal/visitor.mjs";
45
+ export { BREAK, mergeAll as mergeAllVisitors, getVisitFn, visit, getNodeType, isNode, cloneNode } from "./traversal/visitor.mjs";
@@ -53,6 +53,7 @@ export const cloneNode = node => Object.create(Object.getPrototypeOf(node), Obje
53
53
  * If a prior visitor edits a node, no following visitors will see that node.
54
54
  * `exposeEdits=true` can be used to exoise the edited node from the previous visitors.
55
55
  */
56
+
56
57
  export const mergeAll = (visitors, {
57
58
  visitFnGetter = getVisitFn,
58
59
  nodeTypeGetter = getNodeType,
@@ -111,6 +112,67 @@ export const mergeAll = (visitors, {
111
112
  }
112
113
  };
113
114
  };
115
+ const mergeAllAsync = (visitors, {
116
+ visitFnGetter = getVisitFn,
117
+ nodeTypeGetter = getNodeType,
118
+ breakSymbol = BREAK,
119
+ deleteNodeSymbol = null,
120
+ skipVisitingNodeSymbol = false,
121
+ exposeEdits = false
122
+ } = {}) => {
123
+ const skipSymbol = Symbol('skip');
124
+ const skipping = new Array(visitors.length).fill(skipSymbol);
125
+ return {
126
+ async enter(node, ...rest) {
127
+ let currentNode = node;
128
+ let hasChanged = false;
129
+ for (let i = 0; i < visitors.length; i += 1) {
130
+ if (skipping[i] === skipSymbol) {
131
+ const visitFn = visitFnGetter(visitors[i], nodeTypeGetter(currentNode), false);
132
+ if (typeof visitFn === 'function') {
133
+ // eslint-disable-next-line no-await-in-loop
134
+ const result = await visitFn.call(visitors[i], currentNode, ...rest);
135
+ if (result === skipVisitingNodeSymbol) {
136
+ skipping[i] = node;
137
+ } else if (result === breakSymbol) {
138
+ skipping[i] = breakSymbol;
139
+ } else if (result === deleteNodeSymbol) {
140
+ return result;
141
+ } else if (result !== undefined) {
142
+ if (exposeEdits) {
143
+ currentNode = result;
144
+ hasChanged = true;
145
+ } else {
146
+ return result;
147
+ }
148
+ }
149
+ }
150
+ }
151
+ }
152
+ return hasChanged ? currentNode : undefined;
153
+ },
154
+ async leave(node, ...rest) {
155
+ for (let i = 0; i < visitors.length; i += 1) {
156
+ if (skipping[i] === skipSymbol) {
157
+ const visitFn = visitFnGetter(visitors[i], nodeTypeGetter(node), true);
158
+ if (typeof visitFn === 'function') {
159
+ // eslint-disable-next-line no-await-in-loop
160
+ const result = await visitFn.call(visitors[i], node, ...rest);
161
+ if (result === breakSymbol) {
162
+ skipping[i] = breakSymbol;
163
+ } else if (result !== undefined && result !== skipVisitingNodeSymbol) {
164
+ return result;
165
+ }
166
+ }
167
+ } else if (skipping[i] === node) {
168
+ skipping[i] = skipSymbol;
169
+ }
170
+ }
171
+ return undefined;
172
+ }
173
+ };
174
+ };
175
+ mergeAll[Symbol.for('nodejs.util.promisify.custom')] = mergeAllAsync;
114
176
 
115
177
  /* eslint-disable no-continue, no-param-reassign */
116
178
  /**
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@swagger-api/apidom-ast",
3
- "version": "0.97.0",
3
+ "version": "0.99.0",
4
4
  "description": "Tools necessary for parsing stage of ApiDOM, specifically for syntactic analysis.",
5
5
  "publishConfig": {
6
6
  "access": "public",
@@ -42,7 +42,7 @@
42
42
  "homepage": "https://github.com/swagger-api/apidom#readme",
43
43
  "dependencies": {
44
44
  "@babel/runtime-corejs3": "^7.20.7",
45
- "@swagger-api/apidom-error": "^0.97.0",
45
+ "@swagger-api/apidom-error": "^0.99.0",
46
46
  "@types/ramda": "~0.29.6",
47
47
  "ramda": "~0.29.1",
48
48
  "ramda-adjunct": "^4.1.1",
@@ -58,5 +58,5 @@
58
58
  "README.md",
59
59
  "CHANGELOG.md"
60
60
  ],
61
- "gitHead": "b616e76738c48401d651a272daef174f6c1a6510"
61
+ "gitHead": "e3c5ac3e738d561a0eb6d9d0f729e0d6bf20b00f"
62
62
  }
package/types/dist.d.ts CHANGED
@@ -353,17 +353,34 @@ declare const cloneNode: (node: any) => any;
353
353
  * If a prior visitor edits a node, no following visitors will see that node.
354
354
  * `exposeEdits=true` can be used to exoise the edited node from the previous visitors.
355
355
  */
356
- declare const mergeAll: (visitors: any[], { visitFnGetter, nodeTypeGetter, breakSymbol, deleteNodeSymbol, skipVisitingNodeSymbol, exposeEdits, }?: {
357
- visitFnGetter?: ((visitor: any, type: string, isLeaving: boolean) => any) | undefined;
358
- nodeTypeGetter?: ((node: any) => any) | undefined;
359
- breakSymbol?: {} | undefined;
360
- deleteNodeSymbol?: null | undefined;
361
- skipVisitingNodeSymbol?: boolean | undefined;
362
- exposeEdits?: boolean | undefined;
363
- }) => {
364
- enter(node: any, ...rest: any[]): any;
365
- leave(node: any, ...rest: any[]): any;
366
- };
356
+ interface MergeAllSync {
357
+ (visitors: any[], options?: {
358
+ visitFnGetter?: typeof getVisitFn;
359
+ nodeTypeGetter?: typeof getNodeType;
360
+ breakSymbol?: typeof BREAK;
361
+ deleteNodeSymbol?: any;
362
+ skipVisitingNodeSymbol?: boolean;
363
+ exposeEdits?: boolean;
364
+ }): {
365
+ enter: (node: any, ...rest: any[]) => any;
366
+ leave: (node: any, ...rest: any[]) => any;
367
+ };
368
+ [key: symbol]: MergeAllAsync;
369
+ }
370
+ interface MergeAllAsync {
371
+ (visitors: any[], options?: {
372
+ visitFnGetter?: typeof getVisitFn;
373
+ nodeTypeGetter?: typeof getNodeType;
374
+ breakSymbol?: typeof BREAK;
375
+ deleteNodeSymbol?: any;
376
+ skipVisitingNodeSymbol?: boolean;
377
+ exposeEdits?: boolean;
378
+ }): {
379
+ enter: (node: any, ...rest: any[]) => Promise<any>;
380
+ leave: (node: any, ...rest: any[]) => Promise<any>;
381
+ };
382
+ }
383
+ declare const mergeAll: MergeAllSync;
367
384
  /**
368
385
  * visit() will walk through an AST using a preorder depth first traversal, calling
369
386
  * the visitor's enter function at each node in the traversal, and calling the
@@ -466,4 +483,4 @@ declare const visit: (root: any, visitor: any, { keyMap, state, breakSymbol, del
466
483
  detectCycles?: boolean | undefined;
467
484
  }) => any;
468
485
 
469
- export { BREAK, Error, JsonArray, JsonDocument, JsonEscapeSequence, JsonFalse, JsonKey, JsonNode, JsonNull, JsonNumber, JsonObject, JsonProperty, JsonString, JsonStringContent, JsonTrue, JsonValue$1 as JsonValue, Literal, ParseResult, Point, Position, YamlAlias, YamlAnchor, YamlCollection, YamlComment, YamlDirective, YamlDocument, YamlError, FailsafeSchema as YamlFailsafeSchema, JsonSchema as YamlJsonSchema, YamlKeyValuePair, YamlMapping, YamlNode, YamlNodeKind, YamlReferenceError, ReferenceManager as YamlReferenceManager, YamlScalar, YamlSchemaError, YamlSequence, YamlStream, YamlStyle, YamlStyleGroup, YamlTag, YamlTagError, type YamlTagErrorOptions, cloneNode, getNodeType, getVisitFn, isArray as isJsonArray, isDocument$1 as isJsonDocument, isEscapeSequence as isJsonEscapeSequence, isFalse as isJsonFalse, isKey as isJsonKey, isNull as isJsonNull, isNumber as isJsonNumber, isObject as isJsonObject, isProperty as isJsonProperty, isString as isJsonString, isStringContent as isJsonStringContent, isTrue as isJsonTrue, isLiteral, isNode, isParseResult, isPoint, isPosition, isAlias as isYamlAlias, isAnchor as isYamlAnchor, isComment as isYamlComment, isDirective as isYamlDirective, isDocument as isYamlDocument, isKeyValuePair as isYamlKeyValuePair, isMapping as isYamlMapping, isScalar as isYamlScalar, isSequence as isYamlSequence, isStream as isYamlStream, isTag as isYamlTag, mergeAll as mergeAllVisitors, visit };
486
+ export { BREAK, Error, JsonArray, JsonDocument, JsonEscapeSequence, JsonFalse, JsonKey, JsonNode, JsonNull, JsonNumber, JsonObject, JsonProperty, JsonString, JsonStringContent, JsonTrue, JsonValue$1 as JsonValue, Literal, type MergeAllAsync, type MergeAllSync, ParseResult, Point, Position, YamlAlias, YamlAnchor, YamlCollection, YamlComment, YamlDirective, YamlDocument, YamlError, FailsafeSchema as YamlFailsafeSchema, JsonSchema as YamlJsonSchema, YamlKeyValuePair, YamlMapping, YamlNode, YamlNodeKind, YamlReferenceError, ReferenceManager as YamlReferenceManager, YamlScalar, YamlSchemaError, YamlSequence, YamlStream, YamlStyle, YamlStyleGroup, YamlTag, YamlTagError, type YamlTagErrorOptions, cloneNode, getNodeType, getVisitFn, isArray as isJsonArray, isDocument$1 as isJsonDocument, isEscapeSequence as isJsonEscapeSequence, isFalse as isJsonFalse, isKey as isJsonKey, isNull as isJsonNull, isNumber as isJsonNumber, isObject as isJsonObject, isProperty as isJsonProperty, isString as isJsonString, isStringContent as isJsonStringContent, isTrue as isJsonTrue, isLiteral, isNode, isParseResult, isPoint, isPosition, isAlias as isYamlAlias, isAnchor as isYamlAnchor, isComment as isYamlComment, isDirective as isYamlDirective, isDocument as isYamlDocument, isKeyValuePair as isYamlKeyValuePair, isMapping as isYamlMapping, isScalar as isYamlScalar, isSequence as isYamlSequence, isStream as isYamlStream, isTag as isYamlTag, mergeAll as mergeAllVisitors, visit };