@swagger-api/apidom-parser-adapter-api-design-systems-json 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,14 @@
|
|
|
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
|
+
**Note:** Version bump only for package @swagger-api/apidom-parser-adapter-api-design-systems-json
|
|
9
|
+
|
|
10
|
+
# [0.98.0](https://github.com/swagger-api/apidom/compare/v0.97.1...v0.98.0) (2024-03-21)
|
|
11
|
+
|
|
12
|
+
**Note:** Version bump only for package @swagger-api/apidom-parser-adapter-api-design-systems-json
|
|
13
|
+
|
|
6
14
|
# [0.97.0](https://github.com/swagger-api/apidom/compare/v0.96.0...v0.97.0) (2024-03-07)
|
|
7
15
|
|
|
8
16
|
**Note:** Version bump only for package @swagger-api/apidom-parser-adapter-api-design-systems-json
|
|
@@ -15129,6 +15129,7 @@ const cloneNode = node => Object.create(Object.getPrototypeOf(node), Object.getO
|
|
|
15129
15129
|
* If a prior visitor edits a node, no following visitors will see that node.
|
|
15130
15130
|
* `exposeEdits=true` can be used to exoise the edited node from the previous visitors.
|
|
15131
15131
|
*/
|
|
15132
|
+
|
|
15132
15133
|
const mergeAll = (visitors, {
|
|
15133
15134
|
visitFnGetter = getVisitFn,
|
|
15134
15135
|
nodeTypeGetter = getNodeType,
|
|
@@ -15187,6 +15188,67 @@ const mergeAll = (visitors, {
|
|
|
15187
15188
|
}
|
|
15188
15189
|
};
|
|
15189
15190
|
};
|
|
15191
|
+
const mergeAllAsync = (visitors, {
|
|
15192
|
+
visitFnGetter = getVisitFn,
|
|
15193
|
+
nodeTypeGetter = getNodeType,
|
|
15194
|
+
breakSymbol = BREAK,
|
|
15195
|
+
deleteNodeSymbol = null,
|
|
15196
|
+
skipVisitingNodeSymbol = false,
|
|
15197
|
+
exposeEdits = false
|
|
15198
|
+
} = {}) => {
|
|
15199
|
+
const skipSymbol = Symbol('skip');
|
|
15200
|
+
const skipping = new Array(visitors.length).fill(skipSymbol);
|
|
15201
|
+
return {
|
|
15202
|
+
async enter(node, ...rest) {
|
|
15203
|
+
let currentNode = node;
|
|
15204
|
+
let hasChanged = false;
|
|
15205
|
+
for (let i = 0; i < visitors.length; i += 1) {
|
|
15206
|
+
if (skipping[i] === skipSymbol) {
|
|
15207
|
+
const visitFn = visitFnGetter(visitors[i], nodeTypeGetter(currentNode), false);
|
|
15208
|
+
if (typeof visitFn === 'function') {
|
|
15209
|
+
// eslint-disable-next-line no-await-in-loop
|
|
15210
|
+
const result = await visitFn.call(visitors[i], currentNode, ...rest);
|
|
15211
|
+
if (result === skipVisitingNodeSymbol) {
|
|
15212
|
+
skipping[i] = node;
|
|
15213
|
+
} else if (result === breakSymbol) {
|
|
15214
|
+
skipping[i] = breakSymbol;
|
|
15215
|
+
} else if (result === deleteNodeSymbol) {
|
|
15216
|
+
return result;
|
|
15217
|
+
} else if (result !== undefined) {
|
|
15218
|
+
if (exposeEdits) {
|
|
15219
|
+
currentNode = result;
|
|
15220
|
+
hasChanged = true;
|
|
15221
|
+
} else {
|
|
15222
|
+
return result;
|
|
15223
|
+
}
|
|
15224
|
+
}
|
|
15225
|
+
}
|
|
15226
|
+
}
|
|
15227
|
+
}
|
|
15228
|
+
return hasChanged ? currentNode : undefined;
|
|
15229
|
+
},
|
|
15230
|
+
async leave(node, ...rest) {
|
|
15231
|
+
for (let i = 0; i < visitors.length; i += 1) {
|
|
15232
|
+
if (skipping[i] === skipSymbol) {
|
|
15233
|
+
const visitFn = visitFnGetter(visitors[i], nodeTypeGetter(node), true);
|
|
15234
|
+
if (typeof visitFn === 'function') {
|
|
15235
|
+
// eslint-disable-next-line no-await-in-loop
|
|
15236
|
+
const result = await visitFn.call(visitors[i], node, ...rest);
|
|
15237
|
+
if (result === breakSymbol) {
|
|
15238
|
+
skipping[i] = breakSymbol;
|
|
15239
|
+
} else if (result !== undefined && result !== skipVisitingNodeSymbol) {
|
|
15240
|
+
return result;
|
|
15241
|
+
}
|
|
15242
|
+
}
|
|
15243
|
+
} else if (skipping[i] === node) {
|
|
15244
|
+
skipping[i] = skipSymbol;
|
|
15245
|
+
}
|
|
15246
|
+
}
|
|
15247
|
+
return undefined;
|
|
15248
|
+
}
|
|
15249
|
+
};
|
|
15250
|
+
};
|
|
15251
|
+
mergeAll[Symbol.for('nodejs.util.promisify.custom')] = mergeAllAsync;
|
|
15190
15252
|
|
|
15191
15253
|
/* eslint-disable no-continue, no-param-reassign */
|
|
15192
15254
|
/**
|
|
@@ -16333,7 +16395,7 @@ __webpack_require__.r(__webpack_exports__);
|
|
|
16333
16395
|
/* harmony export */ createRefractor: () => (/* binding */ createRefractor),
|
|
16334
16396
|
/* harmony export */ "default": () => (__WEBPACK_DEFAULT_EXPORT__)
|
|
16335
16397
|
/* harmony export */ });
|
|
16336
|
-
/* harmony import */ var
|
|
16398
|
+
/* harmony import */ var _plugins_dispatcher_index_mjs__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(9915);
|
|
16337
16399
|
/* harmony import */ var _traversal_visitor_mjs__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(5956);
|
|
16338
16400
|
/* harmony import */ var _clone_index_mjs__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(4831);
|
|
16339
16401
|
/* harmony import */ var _predicates_index_mjs__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(60);
|
|
@@ -16366,7 +16428,7 @@ const refract = (value, {
|
|
|
16366
16428
|
* Run plugins only when necessary.
|
|
16367
16429
|
* Running plugins visitors means extra single traversal === performance hit.
|
|
16368
16430
|
*/
|
|
16369
|
-
return (0,
|
|
16431
|
+
return (0,_plugins_dispatcher_index_mjs__WEBPACK_IMPORTED_MODULE_2__.dispatchPluginsSync)(element, plugins, {
|
|
16370
16432
|
toolboxCreator: _toolbox_mjs__WEBPACK_IMPORTED_MODULE_3__["default"],
|
|
16371
16433
|
visitorOptions: {
|
|
16372
16434
|
nodeTypeGetter: _traversal_visitor_mjs__WEBPACK_IMPORTED_MODULE_4__.getNodeType
|
|
@@ -16381,13 +16443,14 @@ const createRefractor = Type => (value, options = {}) => refract(value, {
|
|
|
16381
16443
|
|
|
16382
16444
|
/***/ }),
|
|
16383
16445
|
|
|
16384
|
-
/***/
|
|
16446
|
+
/***/ 9915:
|
|
16385
16447
|
/***/ ((__unused_webpack___webpack_module__, __webpack_exports__, __webpack_require__) => {
|
|
16386
16448
|
|
|
16387
16449
|
"use strict";
|
|
16388
16450
|
__webpack_require__.r(__webpack_exports__);
|
|
16389
16451
|
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
|
|
16390
|
-
/* harmony export */
|
|
16452
|
+
/* harmony export */ dispatchPluginsAsync: () => (/* binding */ dispatchPluginsAsync),
|
|
16453
|
+
/* harmony export */ dispatchPluginsSync: () => (/* binding */ dispatchPluginsSync)
|
|
16391
16454
|
/* harmony export */ });
|
|
16392
16455
|
/* harmony import */ var ramda__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(1515);
|
|
16393
16456
|
/* harmony import */ var ramda__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(5379);
|
|
@@ -16406,9 +16469,7 @@ const defaultDispatchPluginsOptions = {
|
|
|
16406
16469
|
exposeEdits: true
|
|
16407
16470
|
}
|
|
16408
16471
|
};
|
|
16409
|
-
|
|
16410
|
-
// eslint-disable-next-line import/prefer-default-export
|
|
16411
|
-
const dispatchPlugins = (element, plugins, options = {}) => {
|
|
16472
|
+
const dispatchPluginsSync = (element, plugins, options = {}) => {
|
|
16412
16473
|
if (plugins.length === 0) return element;
|
|
16413
16474
|
const mergedOptions = (0,ramda__WEBPACK_IMPORTED_MODULE_2__["default"])(defaultDispatchPluginsOptions, options);
|
|
16414
16475
|
const {
|
|
@@ -16425,6 +16486,26 @@ const dispatchPlugins = (element, plugins, options = {}) => {
|
|
|
16425
16486
|
pluginsSpecs.forEach((0,ramda_adjunct__WEBPACK_IMPORTED_MODULE_5__["default"])(['post'], []));
|
|
16426
16487
|
return newElement;
|
|
16427
16488
|
};
|
|
16489
|
+
const dispatchPluginsAsync = async (element, plugins, options = {}) => {
|
|
16490
|
+
if (plugins.length === 0) return element;
|
|
16491
|
+
const mergedOptions = (0,ramda__WEBPACK_IMPORTED_MODULE_2__["default"])(defaultDispatchPluginsOptions, options);
|
|
16492
|
+
const {
|
|
16493
|
+
toolboxCreator,
|
|
16494
|
+
visitorOptions
|
|
16495
|
+
} = mergedOptions;
|
|
16496
|
+
const toolbox = toolboxCreator();
|
|
16497
|
+
const pluginsSpecs = plugins.map(plugin => plugin(toolbox));
|
|
16498
|
+
const mergeAllVisitorsAsync = _traversal_visitor_mjs__WEBPACK_IMPORTED_MODULE_3__.mergeAll[Symbol.for('nodejs.util.promisify.custom')];
|
|
16499
|
+
const visitAsync = _traversal_visitor_mjs__WEBPACK_IMPORTED_MODULE_1__.visit[Symbol.for('nodejs.util.promisify.custom')];
|
|
16500
|
+
const mergedPluginsVisitor = mergeAllVisitorsAsync(pluginsSpecs.map((0,ramda__WEBPACK_IMPORTED_MODULE_4__["default"])({}, 'visitor')), {
|
|
16501
|
+
...visitorOptions
|
|
16502
|
+
});
|
|
16503
|
+
await Promise.allSettled(pluginsSpecs.map((0,ramda_adjunct__WEBPACK_IMPORTED_MODULE_5__["default"])(['pre'], [])));
|
|
16504
|
+
const newElement = await visitAsync(element, mergedPluginsVisitor, visitorOptions);
|
|
16505
|
+
await Promise.allSettled(pluginsSpecs.map((0,ramda_adjunct__WEBPACK_IMPORTED_MODULE_5__["default"])(['post'], [])));
|
|
16506
|
+
return newElement;
|
|
16507
|
+
};
|
|
16508
|
+
dispatchPluginsSync[Symbol.for('nodejs.util.promisify.custom')] = dispatchPluginsAsync;
|
|
16428
16509
|
|
|
16429
16510
|
/***/ }),
|
|
16430
16511
|
|
|
@@ -17504,7 +17585,7 @@ __webpack_require__.r(__webpack_exports__);
|
|
|
17504
17585
|
/* harmony import */ var _swagger_api_apidom_core__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(8326);
|
|
17505
17586
|
/* harmony import */ var _swagger_api_apidom_core__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(7155);
|
|
17506
17587
|
/* harmony import */ var _swagger_api_apidom_core__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(5956);
|
|
17507
|
-
/* harmony import */ var _swagger_api_apidom_core__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(
|
|
17588
|
+
/* harmony import */ var _swagger_api_apidom_core__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(9915);
|
|
17508
17589
|
/* harmony import */ var ramda__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(4864);
|
|
17509
17590
|
/* harmony import */ var _specification_mjs__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(7074);
|
|
17510
17591
|
/* harmony import */ var _traversal_visitor_mjs__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(7719);
|
|
@@ -17535,7 +17616,7 @@ const refract = (value, {
|
|
|
17535
17616
|
/**
|
|
17536
17617
|
* Running plugins visitors means extra single traversal === performance hit.
|
|
17537
17618
|
*/
|
|
17538
|
-
return (0,_swagger_api_apidom_core__WEBPACK_IMPORTED_MODULE_5__.
|
|
17619
|
+
return (0,_swagger_api_apidom_core__WEBPACK_IMPORTED_MODULE_5__.dispatchPluginsSync)(rootVisitor.element, plugins, {
|
|
17539
17620
|
toolboxCreator: _toolbox_mjs__WEBPACK_IMPORTED_MODULE_6__["default"],
|
|
17540
17621
|
visitorOptions: {
|
|
17541
17622
|
keyMap: _traversal_visitor_mjs__WEBPACK_IMPORTED_MODULE_7__.keyMap,
|
|
@@ -1 +1 @@
|
|
|
1
|
-
!function(e,t){"object"==typeof exports&&"object"==typeof module?module.exports=t():"function"==typeof define&&define.amd?define([],t):"object"==typeof exports?exports.apidomParserAdapterApiDesignSystemsJson=t():e.apidomParserAdapterApiDesignSystemsJson=t()}(self,(()=>(()=>{var e={3103:(e,t,r)=>{var n=r(4715)(r(8942),"DataView");e.exports=n},5098:(e,t,r)=>{var n=r(3305),s=r(9361),i=r(1112),o=r(5276),a=r(5071);function c(e){var t=-1,r=null==e?0:e.length;for(this.clear();++t<r;){var n=e[t];this.set(n[0],n[1])}}c.prototype.clear=n,c.prototype.delete=s,c.prototype.get=i,c.prototype.has=o,c.prototype.set=a,e.exports=c},1386:(e,t,r)=>{var n=r(2393),s=r(2049),i=r(7144),o=r(7452),a=r(3964);function c(e){var t=-1,r=null==e?0:e.length;for(this.clear();++t<r;){var n=e[t];this.set(n[0],n[1])}}c.prototype.clear=n,c.prototype.delete=s,c.prototype.get=i,c.prototype.has=o,c.prototype.set=a,e.exports=c},9770:(e,t,r)=>{var n=r(4715)(r(8942),"Map");e.exports=n},8250:(e,t,r)=>{var n=r(9753),s=r(5681),i=r(88),o=r(4732),a=r(9068);function c(e){var t=-1,r=null==e?0:e.length;for(this.clear();++t<r;){var n=e[t];this.set(n[0],n[1])}}c.prototype.clear=n,c.prototype.delete=s,c.prototype.get=i,c.prototype.has=o,c.prototype.set=a,e.exports=c},9413:(e,t,r)=>{var n=r(4715)(r(8942),"Promise");e.exports=n},4512:(e,t,r)=>{var n=r(4715)(r(8942),"Set");e.exports=n},3212:(e,t,r)=>{var n=r(8250),s=r(1877),i=r(8006);function o(e){var t=-1,r=null==e?0:e.length;for(this.__data__=new n;++t<r;)this.add(e[t])}o.prototype.add=o.prototype.push=s,o.prototype.has=i,e.exports=o},1340:(e,t,r)=>{var n=r(1386),s=r(4103),i=r(1779),o=r(4162),a=r(7462),c=r(6638);function u(e){var t=this.__data__=new n(e);this.size=t.size}u.prototype.clear=s,u.prototype.delete=i,u.prototype.get=o,u.prototype.has=a,u.prototype.set=c,e.exports=u},5650:(e,t,r)=>{var n=r(8942).Symbol;e.exports=n},1623:(e,t,r)=>{var n=r(8942).Uint8Array;e.exports=n},9270:(e,t,r)=>{var n=r(4715)(r(8942),"WeakMap");e.exports=n},9847:e=>{e.exports=function(e,t){for(var r=-1,n=null==e?0:e.length,s=0,i=[];++r<n;){var o=e[r];t(o,r,e)&&(i[s++]=o)}return i}},358:(e,t,r)=>{var n=r(6137),s=r(3283),i=r(3142),o=r(5853),a=r(9632),c=r(8666),u=Object.prototype.hasOwnProperty;e.exports=function(e,t){var r=i(e),l=!r&&s(e),f=!r&&!l&&o(e),p=!r&&!l&&!f&&c(e),h=r||l||f||p,_=h?n(e.length,String):[],d=_.length;for(var m in e)!t&&!u.call(e,m)||h&&("length"==m||f&&("offset"==m||"parent"==m)||p&&("buffer"==m||"byteLength"==m||"byteOffset"==m)||a(m,d))||_.push(m);return _}},1129:e=>{e.exports=function(e,t){for(var r=-1,n=t.length,s=e.length;++r<n;)e[s+r]=t[r];return e}},6465:e=>{e.exports=function(e,t){for(var r=-1,n=null==e?0:e.length;++r<n;)if(t(e[r],r,e))return!0;return!1}},7034:(e,t,r)=>{var n=r(6285);e.exports=function(e,t){for(var r=e.length;r--;)if(n(e[r][0],t))return r;return-1}},8244:(e,t,r)=>{var n=r(1129),s=r(3142);e.exports=function(e,t,r){var i=t(e);return s(e)?i:n(i,r(e))}},7379:(e,t,r)=>{var n=r(5650),s=r(8870),i=r(9005),o=n?n.toStringTag:void 0;e.exports=function(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":o&&o in Object(e)?s(e):i(e)}},6027:(e,t,r)=>{var n=r(7379),s=r(547);e.exports=function(e){return s(e)&&"[object Arguments]"==n(e)}},4687:(e,t,r)=>{var n=r(353),s=r(547);e.exports=function e(t,r,i,o,a){return t===r||(null==t||null==r||!s(t)&&!s(r)?t!=t&&r!=r:n(t,r,i,o,e,a))}},353:(e,t,r)=>{var n=r(1340),s=r(3934),i=r(8861),o=r(1182),a=r(8486),c=r(3142),u=r(5853),l=r(8666),f="[object Arguments]",p="[object Array]",h="[object Object]",_=Object.prototype.hasOwnProperty;e.exports=function(e,t,r,d,m,y){var g=c(e),v=c(t),b=g?p:a(e),w=v?p:a(t),E=(b=b==f?h:b)==h,x=(w=w==f?h:w)==h,j=b==w;if(j&&u(e)){if(!u(t))return!1;g=!0,E=!1}if(j&&!E)return y||(y=new n),g||l(e)?s(e,t,r,d,m,y):i(e,t,b,r,d,m,y);if(!(1&r)){var S=E&&_.call(e,"__wrapped__"),A=x&&_.call(t,"__wrapped__");if(S||A){var O=S?e.value():e,P=A?t.value():t;return y||(y=new n),m(O,P,r,d,y)}}return!!j&&(y||(y=new n),o(e,t,r,d,m,y))}},9624:(e,t,r)=>{var n=r(3655),s=r(4759),i=r(1580),o=r(4066),a=/^\[object .+?Constructor\]$/,c=Function.prototype,u=Object.prototype,l=c.toString,f=u.hasOwnProperty,p=RegExp("^"+l.call(f).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$");e.exports=function(e){return!(!i(e)||s(e))&&(n(e)?p:a).test(o(e))}},674:(e,t,r)=>{var n=r(7379),s=r(5387),i=r(547),o={};o["[object Float32Array]"]=o["[object Float64Array]"]=o["[object Int8Array]"]=o["[object Int16Array]"]=o["[object Int32Array]"]=o["[object Uint8Array]"]=o["[object Uint8ClampedArray]"]=o["[object Uint16Array]"]=o["[object Uint32Array]"]=!0,o["[object Arguments]"]=o["[object Array]"]=o["[object ArrayBuffer]"]=o["[object Boolean]"]=o["[object DataView]"]=o["[object Date]"]=o["[object Error]"]=o["[object Function]"]=o["[object Map]"]=o["[object Number]"]=o["[object Object]"]=o["[object RegExp]"]=o["[object Set]"]=o["[object String]"]=o["[object WeakMap]"]=!1,e.exports=function(e){return i(e)&&s(e.length)&&!!o[n(e)]}},195:(e,t,r)=>{var n=r(4882),s=r(8121),i=Object.prototype.hasOwnProperty;e.exports=function(e){if(!n(e))return s(e);var t=[];for(var r in Object(e))i.call(e,r)&&"constructor"!=r&&t.push(r);return t}},6137:e=>{e.exports=function(e,t){for(var r=-1,n=Array(e);++r<e;)n[r]=t(r);return n}},9460:e=>{e.exports=function(e){return function(t){return e(t)}}},5568:e=>{e.exports=function(e,t){return e.has(t)}},1950:(e,t,r)=>{var n=r(8942)["__core-js_shared__"];e.exports=n},3934:(e,t,r)=>{var n=r(3212),s=r(6465),i=r(5568);e.exports=function(e,t,r,o,a,c){var u=1&r,l=e.length,f=t.length;if(l!=f&&!(u&&f>l))return!1;var p=c.get(e),h=c.get(t);if(p&&h)return p==t&&h==e;var _=-1,d=!0,m=2&r?new n:void 0;for(c.set(e,t),c.set(t,e);++_<l;){var y=e[_],g=t[_];if(o)var v=u?o(g,y,_,t,e,c):o(y,g,_,e,t,c);if(void 0!==v){if(v)continue;d=!1;break}if(m){if(!s(t,(function(e,t){if(!i(m,t)&&(y===e||a(y,e,r,o,c)))return m.push(t)}))){d=!1;break}}else if(y!==g&&!a(y,g,r,o,c)){d=!1;break}}return c.delete(e),c.delete(t),d}},8861:(e,t,r)=>{var n=r(5650),s=r(1623),i=r(6285),o=r(3934),a=r(5894),c=r(7447),u=n?n.prototype:void 0,l=u?u.valueOf:void 0;e.exports=function(e,t,r,n,u,f,p){switch(r){case"[object DataView]":if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case"[object ArrayBuffer]":return!(e.byteLength!=t.byteLength||!f(new s(e),new s(t)));case"[object Boolean]":case"[object Date]":case"[object Number]":return i(+e,+t);case"[object Error]":return e.name==t.name&&e.message==t.message;case"[object RegExp]":case"[object String]":return e==t+"";case"[object Map]":var h=a;case"[object Set]":var _=1&n;if(h||(h=c),e.size!=t.size&&!_)return!1;var d=p.get(e);if(d)return d==t;n|=2,p.set(e,t);var m=o(h(e),h(t),n,u,f,p);return p.delete(e),m;case"[object Symbol]":if(l)return l.call(e)==l.call(t)}return!1}},1182:(e,t,r)=>{var n=r(393),s=Object.prototype.hasOwnProperty;e.exports=function(e,t,r,i,o,a){var c=1&r,u=n(e),l=u.length;if(l!=n(t).length&&!c)return!1;for(var f=l;f--;){var p=u[f];if(!(c?p in t:s.call(t,p)))return!1}var h=a.get(e),_=a.get(t);if(h&&_)return h==t&&_==e;var d=!0;a.set(e,t),a.set(t,e);for(var m=c;++f<l;){var y=e[p=u[f]],g=t[p];if(i)var v=c?i(g,y,p,t,e,a):i(y,g,p,e,t,a);if(!(void 0===v?y===g||o(y,g,r,i,a):v)){d=!1;break}m||(m="constructor"==p)}if(d&&!m){var b=e.constructor,w=t.constructor;b==w||!("constructor"in e)||!("constructor"in t)||"function"==typeof b&&b instanceof b&&"function"==typeof w&&w instanceof w||(d=!1)}return a.delete(e),a.delete(t),d}},4967:(e,t,r)=>{var n="object"==typeof r.g&&r.g&&r.g.Object===Object&&r.g;e.exports=n},393:(e,t,r)=>{var n=r(8244),s=r(7979),i=r(1211);e.exports=function(e){return n(e,i,s)}},4700:(e,t,r)=>{var n=r(9067);e.exports=function(e,t){var r=e.__data__;return n(t)?r["string"==typeof t?"string":"hash"]:r.map}},4715:(e,t,r)=>{var n=r(9624),s=r(155);e.exports=function(e,t){var r=s(e,t);return n(r)?r:void 0}},8870:(e,t,r)=>{var n=r(5650),s=Object.prototype,i=s.hasOwnProperty,o=s.toString,a=n?n.toStringTag:void 0;e.exports=function(e){var t=i.call(e,a),r=e[a];try{e[a]=void 0;var n=!0}catch(e){}var s=o.call(e);return n&&(t?e[a]=r:delete e[a]),s}},7979:(e,t,r)=>{var n=r(9847),s=r(9306),i=Object.prototype.propertyIsEnumerable,o=Object.getOwnPropertySymbols,a=o?function(e){return null==e?[]:(e=Object(e),n(o(e),(function(t){return i.call(e,t)})))}:s;e.exports=a},8486:(e,t,r)=>{var n=r(3103),s=r(9770),i=r(9413),o=r(4512),a=r(9270),c=r(7379),u=r(4066),l="[object Map]",f="[object Promise]",p="[object Set]",h="[object WeakMap]",_="[object DataView]",d=u(n),m=u(s),y=u(i),g=u(o),v=u(a),b=c;(n&&b(new n(new ArrayBuffer(1)))!=_||s&&b(new s)!=l||i&&b(i.resolve())!=f||o&&b(new o)!=p||a&&b(new a)!=h)&&(b=function(e){var t=c(e),r="[object Object]"==t?e.constructor:void 0,n=r?u(r):"";if(n)switch(n){case d:return _;case m:return l;case y:return f;case g:return p;case v:return h}return t}),e.exports=b},155:e=>{e.exports=function(e,t){return null==e?void 0:e[t]}},3305:(e,t,r)=>{var n=r(4497);e.exports=function(){this.__data__=n?n(null):{},this.size=0}},9361:e=>{e.exports=function(e){var t=this.has(e)&&delete this.__data__[e];return this.size-=t?1:0,t}},1112:(e,t,r)=>{var n=r(4497),s=Object.prototype.hasOwnProperty;e.exports=function(e){var t=this.__data__;if(n){var r=t[e];return"__lodash_hash_undefined__"===r?void 0:r}return s.call(t,e)?t[e]:void 0}},5276:(e,t,r)=>{var n=r(4497),s=Object.prototype.hasOwnProperty;e.exports=function(e){var t=this.__data__;return n?void 0!==t[e]:s.call(t,e)}},5071:(e,t,r)=>{var n=r(4497);e.exports=function(e,t){var r=this.__data__;return this.size+=this.has(e)?0:1,r[e]=n&&void 0===t?"__lodash_hash_undefined__":t,this}},9632:e=>{var t=/^(?:0|[1-9]\d*)$/;e.exports=function(e,r){var n=typeof e;return!!(r=null==r?9007199254740991:r)&&("number"==n||"symbol"!=n&&t.test(e))&&e>-1&&e%1==0&&e<r}},9067:e=>{e.exports=function(e){var t=typeof e;return"string"==t||"number"==t||"symbol"==t||"boolean"==t?"__proto__"!==e:null===e}},4759:(e,t,r)=>{var n,s=r(1950),i=(n=/[^.]+$/.exec(s&&s.keys&&s.keys.IE_PROTO||""))?"Symbol(src)_1."+n:"";e.exports=function(e){return!!i&&i in e}},4882:e=>{var t=Object.prototype;e.exports=function(e){var r=e&&e.constructor;return e===("function"==typeof r&&r.prototype||t)}},2393:e=>{e.exports=function(){this.__data__=[],this.size=0}},2049:(e,t,r)=>{var n=r(7034),s=Array.prototype.splice;e.exports=function(e){var t=this.__data__,r=n(t,e);return!(r<0)&&(r==t.length-1?t.pop():s.call(t,r,1),--this.size,!0)}},7144:(e,t,r)=>{var n=r(7034);e.exports=function(e){var t=this.__data__,r=n(t,e);return r<0?void 0:t[r][1]}},7452:(e,t,r)=>{var n=r(7034);e.exports=function(e){return n(this.__data__,e)>-1}},3964:(e,t,r)=>{var n=r(7034);e.exports=function(e,t){var r=this.__data__,s=n(r,e);return s<0?(++this.size,r.push([e,t])):r[s][1]=t,this}},9753:(e,t,r)=>{var n=r(5098),s=r(1386),i=r(9770);e.exports=function(){this.size=0,this.__data__={hash:new n,map:new(i||s),string:new n}}},5681:(e,t,r)=>{var n=r(4700);e.exports=function(e){var t=n(this,e).delete(e);return this.size-=t?1:0,t}},88:(e,t,r)=>{var n=r(4700);e.exports=function(e){return n(this,e).get(e)}},4732:(e,t,r)=>{var n=r(4700);e.exports=function(e){return n(this,e).has(e)}},9068:(e,t,r)=>{var n=r(4700);e.exports=function(e,t){var r=n(this,e),s=r.size;return r.set(e,t),this.size+=r.size==s?0:1,this}},5894:e=>{e.exports=function(e){var t=-1,r=Array(e.size);return e.forEach((function(e,n){r[++t]=[n,e]})),r}},4497:(e,t,r)=>{var n=r(4715)(Object,"create");e.exports=n},8121:(e,t,r)=>{var n=r(3766)(Object.keys,Object);e.exports=n},2306:(e,t,r)=>{e=r.nmd(e);var n=r(4967),s=t&&!t.nodeType&&t,i=s&&e&&!e.nodeType&&e,o=i&&i.exports===s&&n.process,a=function(){try{var e=i&&i.require&&i.require("util").types;return e||o&&o.binding&&o.binding("util")}catch(e){}}();e.exports=a},9005:e=>{var t=Object.prototype.toString;e.exports=function(e){return t.call(e)}},3766:e=>{e.exports=function(e,t){return function(r){return e(t(r))}}},8942:(e,t,r)=>{var n=r(4967),s="object"==typeof self&&self&&self.Object===Object&&self,i=n||s||Function("return this")();e.exports=i},1877:e=>{e.exports=function(e){return this.__data__.set(e,"__lodash_hash_undefined__"),this}},8006:e=>{e.exports=function(e){return this.__data__.has(e)}},7447:e=>{e.exports=function(e){var t=-1,r=Array(e.size);return e.forEach((function(e){r[++t]=e})),r}},4103:(e,t,r)=>{var n=r(1386);e.exports=function(){this.__data__=new n,this.size=0}},1779:e=>{e.exports=function(e){var t=this.__data__,r=t.delete(e);return this.size=t.size,r}},4162:e=>{e.exports=function(e){return this.__data__.get(e)}},7462:e=>{e.exports=function(e){return this.__data__.has(e)}},6638:(e,t,r)=>{var n=r(1386),s=r(9770),i=r(8250);e.exports=function(e,t){var r=this.__data__;if(r instanceof n){var o=r.__data__;if(!s||o.length<199)return o.push([e,t]),this.size=++r.size,this;r=this.__data__=new i(o)}return r.set(e,t),this.size=r.size,this}},4066:e=>{var t=Function.prototype.toString;e.exports=function(e){if(null!=e){try{return t.call(e)}catch(e){}try{return e+""}catch(e){}}return""}},6285:e=>{e.exports=function(e,t){return e===t||e!=e&&t!=t}},3283:(e,t,r)=>{var n=r(6027),s=r(547),i=Object.prototype,o=i.hasOwnProperty,a=i.propertyIsEnumerable,c=n(function(){return arguments}())?n:function(e){return s(e)&&o.call(e,"callee")&&!a.call(e,"callee")};e.exports=c},3142:e=>{var t=Array.isArray;e.exports=t},6529:(e,t,r)=>{var n=r(3655),s=r(5387);e.exports=function(e){return null!=e&&s(e.length)&&!n(e)}},2563:(e,t,r)=>{var n=r(7379),s=r(547);e.exports=function(e){return!0===e||!1===e||s(e)&&"[object Boolean]"==n(e)}},5853:(e,t,r)=>{e=r.nmd(e);var n=r(8942),s=r(4772),i=t&&!t.nodeType&&t,o=i&&e&&!e.nodeType&&e,a=o&&o.exports===i?n.Buffer:void 0,c=(a?a.isBuffer:void 0)||s;e.exports=c},6343:(e,t,r)=>{var n=r(4687);e.exports=function(e,t){return n(e,t)}},3655:(e,t,r)=>{var n=r(7379),s=r(1580);e.exports=function(e){if(!s(e))return!1;var t=n(e);return"[object Function]"==t||"[object GeneratorFunction]"==t||"[object AsyncFunction]"==t||"[object Proxy]"==t}},5387:e=>{e.exports=function(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=9007199254740991}},9310:e=>{e.exports=function(e){return null===e}},986:(e,t,r)=>{var n=r(7379),s=r(547);e.exports=function(e){return"number"==typeof e||s(e)&&"[object Number]"==n(e)}},1580:e=>{e.exports=function(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}},547:e=>{e.exports=function(e){return null!=e&&"object"==typeof e}},8138:(e,t,r)=>{var n=r(7379),s=r(3142),i=r(547);e.exports=function(e){return"string"==typeof e||!s(e)&&i(e)&&"[object String]"==n(e)}},8666:(e,t,r)=>{var n=r(674),s=r(9460),i=r(2306),o=i&&i.isTypedArray,a=o?s(o):n;e.exports=a},1211:(e,t,r)=>{var n=r(358),s=r(195),i=r(6529);e.exports=function(e){return i(e)?n(e):s(e)}},1517:e=>{e.exports=function(e){if("function"!=typeof e)throw new TypeError("Expected a function");return function(){var t=arguments;switch(t.length){case 0:return!e.call(this);case 1:return!e.call(this,t[0]);case 2:return!e.call(this,t[0],t[1]);case 3:return!e.call(this,t[0],t[1],t[2])}return!e.apply(this,t)}}},9306:e=>{e.exports=function(){return[]}},4772:e=>{e.exports=function(){return!1}},4123:(e,t,r)=>{const n=r(1517);function s(e){return"string"==typeof e?t=>t.element===e:e.constructor&&e.extend?t=>t instanceof e:e}class i{constructor(e){this.elements=e||[]}toValue(){return this.elements.map((e=>e.toValue()))}map(e,t){return this.elements.map(e,t)}flatMap(e,t){return this.map(e,t).reduce(((e,t)=>e.concat(t)),[])}compactMap(e,t){const r=[];return this.forEach((n=>{const s=e.bind(t)(n);s&&r.push(s)})),r}filter(e,t){return e=s(e),new i(this.elements.filter(e,t))}reject(e,t){return e=s(e),new i(this.elements.filter(n(e),t))}find(e,t){return e=s(e),this.elements.find(e,t)}forEach(e,t){this.elements.forEach(e,t)}reduce(e,t){return this.elements.reduce(e,t)}includes(e){return this.elements.some((t=>t.equals(e)))}shift(){return this.elements.shift()}unshift(e){this.elements.unshift(this.refract(e))}push(e){return this.elements.push(this.refract(e)),this}add(e){this.push(e)}get(e){return this.elements[e]}getValue(e){const t=this.elements[e];if(t)return t.toValue()}get length(){return this.elements.length}get isEmpty(){return 0===this.elements.length}get first(){return this.elements[0]}}"undefined"!=typeof Symbol&&(i.prototype[Symbol.iterator]=function(){return this.elements[Symbol.iterator]()}),e.exports=i},2322:e=>{class t{constructor(e,t){this.key=e,this.value=t}clone(){const e=new t;return this.key&&(e.key=this.key.clone()),this.value&&(e.value=this.value.clone()),e}}e.exports=t},5735:(e,t,r)=>{const n=r(9310),s=r(8138),i=r(986),o=r(2563),a=r(1580),c=r(394),u=r(7547);class l{constructor(e){this.elementMap={},this.elementDetection=[],this.Element=u.Element,this.KeyValuePair=u.KeyValuePair,e&&e.noDefault||this.useDefault(),this._attributeElementKeys=[],this._attributeElementArrayKeys=[]}use(e){return e.namespace&&e.namespace({base:this}),e.load&&e.load({base:this}),this}useDefault(){return this.register("null",u.NullElement).register("string",u.StringElement).register("number",u.NumberElement).register("boolean",u.BooleanElement).register("array",u.ArrayElement).register("object",u.ObjectElement).register("member",u.MemberElement).register("ref",u.RefElement).register("link",u.LinkElement),this.detect(n,u.NullElement,!1).detect(s,u.StringElement,!1).detect(i,u.NumberElement,!1).detect(o,u.BooleanElement,!1).detect(Array.isArray,u.ArrayElement,!1).detect(a,u.ObjectElement,!1),this}register(e,t){return this._elements=void 0,this.elementMap[e]=t,this}unregister(e){return this._elements=void 0,delete this.elementMap[e],this}detect(e,t,r){return void 0===r||r?this.elementDetection.unshift([e,t]):this.elementDetection.push([e,t]),this}toElement(e){if(e instanceof this.Element)return e;let t;for(let r=0;r<this.elementDetection.length;r+=1){const n=this.elementDetection[r][0],s=this.elementDetection[r][1];if(n(e)){t=new s(e);break}}return t}getElementClass(e){const t=this.elementMap[e];return void 0===t?this.Element:t}fromRefract(e){return this.serialiser.deserialise(e)}toRefract(e){return this.serialiser.serialise(e)}get elements(){return void 0===this._elements&&(this._elements={Element:this.Element},Object.keys(this.elementMap).forEach((e=>{const t=e[0].toUpperCase()+e.substr(1);this._elements[t]=this.elementMap[e]}))),this._elements}get serialiser(){return new c(this)}}c.prototype.Namespace=l,e.exports=l},3311:(e,t,r)=>{const n=r(1517),s=r(4123);class i extends s{map(e,t){return this.elements.map((r=>e.bind(t)(r.value,r.key,r)))}filter(e,t){return new i(this.elements.filter((r=>e.bind(t)(r.value,r.key,r))))}reject(e,t){return this.filter(n(e.bind(t)))}forEach(e,t){return this.elements.forEach(((r,n)=>{e.bind(t)(r.value,r.key,r,n)}))}keys(){return this.map(((e,t)=>t.toValue()))}values(){return this.map((e=>e.toValue()))}}e.exports=i},7547:(e,t,r)=>{const n=r(8631),s=r(3004),i=r(8712),o=r(2536),a=r(2555),c=r(9796),u=r(7309),l=r(5642),f=r(9620),p=r(593),h=r(4123),_=r(3311),d=r(2322);function m(e){if(e instanceof n)return e;if("string"==typeof e)return new i(e);if("number"==typeof e)return new o(e);if("boolean"==typeof e)return new a(e);if(null===e)return new s;if(Array.isArray(e))return new c(e.map(m));if("object"==typeof e){return new l(e)}return e}n.prototype.ObjectElement=l,n.prototype.RefElement=p,n.prototype.MemberElement=u,n.prototype.refract=m,h.prototype.refract=m,e.exports={Element:n,NullElement:s,StringElement:i,NumberElement:o,BooleanElement:a,ArrayElement:c,MemberElement:u,ObjectElement:l,LinkElement:f,RefElement:p,refract:m,ArraySlice:h,ObjectSlice:_,KeyValuePair:d}},9620:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e||[],t,r),this.element="link"}get relation(){return this.attributes.get("relation")}set relation(e){this.attributes.set("relation",e)}get href(){return this.attributes.get("href")}set href(e){this.attributes.set("href",e)}}},593:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e||[],t,r),this.element="ref",this.path||(this.path="element")}get path(){return this.attributes.get("path")}set path(e){this.attributes.set("path",e)}}},8326:(e,t,r)=>{const n=r(5735),s=r(7547);t.g$=n,t.KeyValuePair=r(2322),t.G6=s.ArraySlice,t.ot=s.ObjectSlice,t.Hg=s.Element,t.Om=s.StringElement,t.kT=s.NumberElement,t.bd=s.BooleanElement,t.Os=s.NullElement,t.wE=s.ArrayElement,t.Sh=s.ObjectElement,t.Pr=s.MemberElement,t.sI=s.RefElement,t.Ft=s.LinkElement,t.e=s.refract,r(394),r(3148)},9796:(e,t,r)=>{const n=r(1517),s=r(8631),i=r(4123);class o extends s{constructor(e,t,r){super(e||[],t,r),this.element="array"}primitive(){return"array"}get(e){return this.content[e]}getValue(e){const t=this.get(e);if(t)return t.toValue()}getIndex(e){return this.content[e]}set(e,t){return this.content[e]=this.refract(t),this}remove(e){const t=this.content.splice(e,1);return t.length?t[0]:null}map(e,t){return this.content.map(e,t)}flatMap(e,t){return this.map(e,t).reduce(((e,t)=>e.concat(t)),[])}compactMap(e,t){const r=[];return this.forEach((n=>{const s=e.bind(t)(n);s&&r.push(s)})),r}filter(e,t){return new i(this.content.filter(e,t))}reject(e,t){return this.filter(n(e),t)}reduce(e,t){let r,n;void 0!==t?(r=0,n=this.refract(t)):(r=1,n="object"===this.primitive()?this.first.value:this.first);for(let t=r;t<this.length;t+=1){const r=this.content[t];n="object"===this.primitive()?this.refract(e(n,r.value,r.key,r,this)):this.refract(e(n,r,t,this))}return n}forEach(e,t){this.content.forEach(((r,n)=>{e.bind(t)(r,this.refract(n))}))}shift(){return this.content.shift()}unshift(e){this.content.unshift(this.refract(e))}push(e){return this.content.push(this.refract(e)),this}add(e){this.push(e)}findElements(e,t){const r=t||{},n=!!r.recursive,s=void 0===r.results?[]:r.results;return this.forEach(((t,r,i)=>{n&&void 0!==t.findElements&&t.findElements(e,{results:s,recursive:n}),e(t,r,i)&&s.push(t)})),s}find(e){return new i(this.findElements(e,{recursive:!0}))}findByElement(e){return this.find((t=>t.element===e))}findByClass(e){return this.find((t=>t.classes.includes(e)))}getById(e){return this.find((t=>t.id.toValue()===e)).first}includes(e){return this.content.some((t=>t.equals(e)))}contains(e){return this.includes(e)}empty(){return new this.constructor([])}"fantasy-land/empty"(){return this.empty()}concat(e){return new this.constructor(this.content.concat(e.content))}"fantasy-land/concat"(e){return this.concat(e)}"fantasy-land/map"(e){return new this.constructor(this.map(e))}"fantasy-land/chain"(e){return this.map((t=>e(t)),this).reduce(((e,t)=>e.concat(t)),this.empty())}"fantasy-land/filter"(e){return new this.constructor(this.content.filter(e))}"fantasy-land/reduce"(e,t){return this.content.reduce(e,t)}get length(){return this.content.length}get isEmpty(){return 0===this.content.length}get first(){return this.getIndex(0)}get second(){return this.getIndex(1)}get last(){return this.getIndex(this.length-1)}}o.empty=function(){return new this},o["fantasy-land/empty"]=o.empty,"undefined"!=typeof Symbol&&(o.prototype[Symbol.iterator]=function(){return this.content[Symbol.iterator]()}),e.exports=o},2555:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e,t,r),this.element="boolean"}primitive(){return"boolean"}}},8631:(e,t,r)=>{const n=r(6343),s=r(2322),i=r(4123);class o{constructor(e,t,r){t&&(this.meta=t),r&&(this.attributes=r),this.content=e}freeze(){Object.isFrozen(this)||(this._meta&&(this.meta.parent=this,this.meta.freeze()),this._attributes&&(this.attributes.parent=this,this.attributes.freeze()),this.children.forEach((e=>{e.parent=this,e.freeze()}),this),this.content&&Array.isArray(this.content)&&Object.freeze(this.content),Object.freeze(this))}primitive(){}clone(){const e=new this.constructor;return e.element=this.element,this.meta.length&&(e._meta=this.meta.clone()),this.attributes.length&&(e._attributes=this.attributes.clone()),this.content?this.content.clone?e.content=this.content.clone():Array.isArray(this.content)?e.content=this.content.map((e=>e.clone())):e.content=this.content:e.content=this.content,e}toValue(){return this.content instanceof o?this.content.toValue():this.content instanceof s?{key:this.content.key.toValue(),value:this.content.value?this.content.value.toValue():void 0}:this.content&&this.content.map?this.content.map((e=>e.toValue()),this):this.content}toRef(e){if(""===this.id.toValue())throw Error("Cannot create reference to an element that does not contain an ID");const t=new this.RefElement(this.id.toValue());return e&&(t.path=e),t}findRecursive(...e){if(arguments.length>1&&!this.isFrozen)throw new Error("Cannot find recursive with multiple element names without first freezing the element. Call `element.freeze()`");const t=e.pop();let r=new i;const n=(e,t)=>(e.push(t),e),o=(e,r)=>{r.element===t&&e.push(r);const i=r.findRecursive(t);return i&&i.reduce(n,e),r.content instanceof s&&(r.content.key&&o(e,r.content.key),r.content.value&&o(e,r.content.value)),e};return this.content&&(this.content.element&&o(r,this.content),Array.isArray(this.content)&&this.content.reduce(o,r)),e.isEmpty||(r=r.filter((t=>{let r=t.parents.map((e=>e.element));for(const t in e){const n=e[t],s=r.indexOf(n);if(-1===s)return!1;r=r.splice(0,s)}return!0}))),r}set(e){return this.content=e,this}equals(e){return n(this.toValue(),e)}getMetaProperty(e,t){if(!this.meta.hasKey(e)){if(this.isFrozen){const e=this.refract(t);return e.freeze(),e}this.meta.set(e,t)}return this.meta.get(e)}setMetaProperty(e,t){this.meta.set(e,t)}get element(){return this._storedElement||"element"}set element(e){this._storedElement=e}get content(){return this._content}set content(e){if(e instanceof o)this._content=e;else if(e instanceof i)this.content=e.elements;else if("string"==typeof e||"number"==typeof e||"boolean"==typeof e||"null"===e||null==e)this._content=e;else if(e instanceof s)this._content=e;else if(Array.isArray(e))this._content=e.map(this.refract);else{if("object"!=typeof e)throw new Error("Cannot set content to given value");this._content=Object.keys(e).map((t=>new this.MemberElement(t,e[t])))}}get meta(){if(!this._meta){if(this.isFrozen){const e=new this.ObjectElement;return e.freeze(),e}this._meta=new this.ObjectElement}return this._meta}set meta(e){e instanceof this.ObjectElement?this._meta=e:this.meta.set(e||{})}get attributes(){if(!this._attributes){if(this.isFrozen){const e=new this.ObjectElement;return e.freeze(),e}this._attributes=new this.ObjectElement}return this._attributes}set attributes(e){e instanceof this.ObjectElement?this._attributes=e:this.attributes.set(e||{})}get id(){return this.getMetaProperty("id","")}set id(e){this.setMetaProperty("id",e)}get classes(){return this.getMetaProperty("classes",[])}set classes(e){this.setMetaProperty("classes",e)}get title(){return this.getMetaProperty("title","")}set title(e){this.setMetaProperty("title",e)}get description(){return this.getMetaProperty("description","")}set description(e){this.setMetaProperty("description",e)}get links(){return this.getMetaProperty("links",[])}set links(e){this.setMetaProperty("links",e)}get isFrozen(){return Object.isFrozen(this)}get parents(){let{parent:e}=this;const t=new i;for(;e;)t.push(e),e=e.parent;return t}get children(){if(Array.isArray(this.content))return new i(this.content);if(this.content instanceof s){const e=new i([this.content.key]);return this.content.value&&e.push(this.content.value),e}return this.content instanceof o?new i([this.content]):new i}get recursiveChildren(){const e=new i;return this.children.forEach((t=>{e.push(t),t.recursiveChildren.forEach((t=>{e.push(t)}))})),e}}e.exports=o},7309:(e,t,r)=>{const n=r(2322),s=r(8631);e.exports=class extends s{constructor(e,t,r,s){super(new n,r,s),this.element="member",this.key=e,this.value=t}get key(){return this.content.key}set key(e){this.content.key=this.refract(e)}get value(){return this.content.value}set value(e){this.content.value=this.refract(e)}}},3004:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e||null,t,r),this.element="null"}primitive(){return"null"}set(){return new Error("Cannot set the value of null")}}},2536:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e,t,r),this.element="number"}primitive(){return"number"}}},5642:(e,t,r)=>{const n=r(1517),s=r(1580),i=r(9796),o=r(7309),a=r(3311);e.exports=class extends i{constructor(e,t,r){super(e||[],t,r),this.element="object"}primitive(){return"object"}toValue(){return this.content.reduce(((e,t)=>(e[t.key.toValue()]=t.value?t.value.toValue():void 0,e)),{})}get(e){const t=this.getMember(e);if(t)return t.value}getMember(e){if(void 0!==e)return this.content.find((t=>t.key.toValue()===e))}remove(e){let t=null;return this.content=this.content.filter((r=>r.key.toValue()!==e||(t=r,!1))),t}getKey(e){const t=this.getMember(e);if(t)return t.key}set(e,t){if(s(e))return Object.keys(e).forEach((t=>{this.set(t,e[t])})),this;const r=e,n=this.getMember(r);return n?n.value=t:this.content.push(new o(r,t)),this}keys(){return this.content.map((e=>e.key.toValue()))}values(){return this.content.map((e=>e.value.toValue()))}hasKey(e){return this.content.some((t=>t.key.equals(e)))}items(){return this.content.map((e=>[e.key.toValue(),e.value.toValue()]))}map(e,t){return this.content.map((r=>e.bind(t)(r.value,r.key,r)))}compactMap(e,t){const r=[];return this.forEach(((n,s,i)=>{const o=e.bind(t)(n,s,i);o&&r.push(o)})),r}filter(e,t){return new a(this.content).filter(e,t)}reject(e,t){return this.filter(n(e),t)}forEach(e,t){return this.content.forEach((r=>e.bind(t)(r.value,r.key,r)))}}},8712:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e,t,r),this.element="string"}primitive(){return"string"}get length(){return this.content.length}}},3148:(e,t,r)=>{const n=r(394);e.exports=class extends n{serialise(e){if(!(e instanceof this.namespace.elements.Element))throw new TypeError(`Given element \`${e}\` is not an Element instance`);let t;e._attributes&&e.attributes.get("variable")&&(t=e.attributes.get("variable"));const r={element:e.element};e._meta&&e._meta.length>0&&(r.meta=this.serialiseObject(e.meta));const n="enum"===e.element||-1!==e.attributes.keys().indexOf("enumerations");if(n){const t=this.enumSerialiseAttributes(e);t&&(r.attributes=t)}else if(e._attributes&&e._attributes.length>0){let{attributes:n}=e;n.get("metadata")&&(n=n.clone(),n.set("meta",n.get("metadata")),n.remove("metadata")),"member"===e.element&&t&&(n=n.clone(),n.remove("variable")),n.length>0&&(r.attributes=this.serialiseObject(n))}if(n)r.content=this.enumSerialiseContent(e,r);else if(this[`${e.element}SerialiseContent`])r.content=this[`${e.element}SerialiseContent`](e,r);else if(void 0!==e.content){let n;t&&e.content.key?(n=e.content.clone(),n.key.attributes.set("variable",t),n=this.serialiseContent(n)):n=this.serialiseContent(e.content),this.shouldSerialiseContent(e,n)&&(r.content=n)}else this.shouldSerialiseContent(e,e.content)&&e instanceof this.namespace.elements.Array&&(r.content=[]);return r}shouldSerialiseContent(e,t){return"parseResult"===e.element||"httpRequest"===e.element||"httpResponse"===e.element||"category"===e.element||"link"===e.element||void 0!==t&&(!Array.isArray(t)||0!==t.length)}refSerialiseContent(e,t){return delete t.attributes,{href:e.toValue(),path:e.path.toValue()}}sourceMapSerialiseContent(e){return e.toValue()}dataStructureSerialiseContent(e){return[this.serialiseContent(e.content)]}enumSerialiseAttributes(e){const t=e.attributes.clone(),r=t.remove("enumerations")||new this.namespace.elements.Array([]),n=t.get("default");let s=t.get("samples")||new this.namespace.elements.Array([]);if(n&&n.content&&(n.content.attributes&&n.content.attributes.remove("typeAttributes"),t.set("default",new this.namespace.elements.Array([n.content]))),s.forEach((e=>{e.content&&e.content.element&&e.content.attributes.remove("typeAttributes")})),e.content&&0!==r.length&&s.unshift(e.content),s=s.map((e=>e instanceof this.namespace.elements.Array?[e]:new this.namespace.elements.Array([e.content]))),s.length&&t.set("samples",s),t.length>0)return this.serialiseObject(t)}enumSerialiseContent(e){if(e._attributes){const t=e.attributes.get("enumerations");if(t&&t.length>0)return t.content.map((e=>{const t=e.clone();return t.attributes.remove("typeAttributes"),this.serialise(t)}))}if(e.content){const t=e.content.clone();return t.attributes.remove("typeAttributes"),[this.serialise(t)]}return[]}deserialise(e){if("string"==typeof e)return new this.namespace.elements.String(e);if("number"==typeof e)return new this.namespace.elements.Number(e);if("boolean"==typeof e)return new this.namespace.elements.Boolean(e);if(null===e)return new this.namespace.elements.Null;if(Array.isArray(e))return new this.namespace.elements.Array(e.map(this.deserialise,this));const t=this.namespace.getElementClass(e.element),r=new t;r.element!==e.element&&(r.element=e.element),e.meta&&this.deserialiseObject(e.meta,r.meta),e.attributes&&this.deserialiseObject(e.attributes,r.attributes);const n=this.deserialiseContent(e.content);if(void 0===n&&null!==r.content||(r.content=n),"enum"===r.element){r.content&&r.attributes.set("enumerations",r.content);let e=r.attributes.get("samples");if(r.attributes.remove("samples"),e){const n=e;e=new this.namespace.elements.Array,n.forEach((n=>{n.forEach((n=>{const s=new t(n);s.element=r.element,e.push(s)}))}));const s=e.shift();r.content=s?s.content:void 0,r.attributes.set("samples",e)}else r.content=void 0;let n=r.attributes.get("default");if(n&&n.length>0){n=n.get(0);const e=new t(n);e.element=r.element,r.attributes.set("default",e)}}else if("dataStructure"===r.element&&Array.isArray(r.content))[r.content]=r.content;else if("category"===r.element){const e=r.attributes.get("meta");e&&(r.attributes.set("metadata",e),r.attributes.remove("meta"))}else"member"===r.element&&r.key&&r.key._attributes&&r.key._attributes.getValue("variable")&&(r.attributes.set("variable",r.key.attributes.get("variable")),r.key.attributes.remove("variable"));return r}serialiseContent(e){if(e instanceof this.namespace.elements.Element)return this.serialise(e);if(e instanceof this.namespace.KeyValuePair){const t={key:this.serialise(e.key)};return e.value&&(t.value=this.serialise(e.value)),t}return e&&e.map?e.map(this.serialise,this):e}deserialiseContent(e){if(e){if(e.element)return this.deserialise(e);if(e.key){const t=new this.namespace.KeyValuePair(this.deserialise(e.key));return e.value&&(t.value=this.deserialise(e.value)),t}if(e.map)return e.map(this.deserialise,this)}return e}shouldRefract(e){return!!(e._attributes&&e.attributes.keys().length||e._meta&&e.meta.keys().length)||"enum"!==e.element&&(e.element!==e.primitive()||"member"===e.element)}convertKeyToRefract(e,t){return this.shouldRefract(t)?this.serialise(t):"enum"===t.element?this.serialiseEnum(t):"array"===t.element?t.map((t=>this.shouldRefract(t)||"default"===e?this.serialise(t):"array"===t.element||"object"===t.element||"enum"===t.element?t.children.map((e=>this.serialise(e))):t.toValue())):"object"===t.element?(t.content||[]).map(this.serialise,this):t.toValue()}serialiseEnum(e){return e.children.map((e=>this.serialise(e)))}serialiseObject(e){const t={};return e.forEach(((e,r)=>{if(e){const n=r.toValue();t[n]=this.convertKeyToRefract(n,e)}})),t}deserialiseObject(e,t){Object.keys(e).forEach((r=>{t.set(r,this.deserialise(e[r]))}))}}},394:e=>{e.exports=class{constructor(e){this.namespace=e||new this.Namespace}serialise(e){if(!(e instanceof this.namespace.elements.Element))throw new TypeError(`Given element \`${e}\` is not an Element instance`);const t={element:e.element};e._meta&&e._meta.length>0&&(t.meta=this.serialiseObject(e.meta)),e._attributes&&e._attributes.length>0&&(t.attributes=this.serialiseObject(e.attributes));const r=this.serialiseContent(e.content);return void 0!==r&&(t.content=r),t}deserialise(e){if(!e.element)throw new Error("Given value is not an object containing an element name");const t=new(this.namespace.getElementClass(e.element));t.element!==e.element&&(t.element=e.element),e.meta&&this.deserialiseObject(e.meta,t.meta),e.attributes&&this.deserialiseObject(e.attributes,t.attributes);const r=this.deserialiseContent(e.content);return void 0===r&&null!==t.content||(t.content=r),t}serialiseContent(e){if(e instanceof this.namespace.elements.Element)return this.serialise(e);if(e instanceof this.namespace.KeyValuePair){const t={key:this.serialise(e.key)};return e.value&&(t.value=this.serialise(e.value)),t}if(e&&e.map){if(0===e.length)return;return e.map(this.serialise,this)}return e}deserialiseContent(e){if(e){if(e.element)return this.deserialise(e);if(e.key){const t=new this.namespace.KeyValuePair(this.deserialise(e.key));return e.value&&(t.value=this.deserialise(e.value)),t}if(e.map)return e.map(this.deserialise,this)}return e}serialiseObject(e){const t={};if(e.forEach(((e,r)=>{e&&(t[r.toValue()]=this.serialise(e))})),0!==Object.keys(t).length)return t}deserialiseObject(e,t){Object.keys(e).forEach((r=>{t.set(r,this.deserialise(e[r]))}))}}},3833:(e,t,r)=>{var n=void 0!==n?n:{},s=function(){var t,s="object"==typeof window?{currentScript:window.document.currentScript}:null;class i{constructor(){this.initialize()}initialize(){throw new Error("cannot construct a Parser before calling `init()`")}static init(o){return t||(n=Object.assign({},n,o),t=new Promise((t=>{var o,a={};for(o in n)n.hasOwnProperty(o)&&(a[o]=n[o]);var c,u,l,f,p=[],h="./this.program",_=function(e,t){throw t};l="object"==typeof window,f="function"==typeof importScripts,c="object"==typeof process&&"object"==typeof process.versions&&"string"==typeof process.versions.node,u=!l&&!c&&!f;var d,m,y,g,v,b="";c?(b=f?r(4142).dirname(b)+"/":"//",d=function(e,t){return g||(g=r(3078)),v||(v=r(4142)),e=v.normalize(e),g.readFileSync(e,t?null:"utf8")},y=function(e){var t=d(e,!0);return t.buffer||(t=new Uint8Array(t)),T(t.buffer),t},process.argv.length>1&&(h=process.argv[1].replace(/\\/g,"/")),p=process.argv.slice(2),e.exports=n,_=function(e){process.exit(e)},n.inspect=function(){return"[Emscripten Module object]"}):u?("undefined"!=typeof read&&(d=function(e){return read(e)}),y=function(e){var t;return"function"==typeof readbuffer?new Uint8Array(readbuffer(e)):(T("object"==typeof(t=read(e,"binary"))),t)},"undefined"!=typeof scriptArgs?p=scriptArgs:void 0!==arguments&&(p=arguments),"function"==typeof quit&&(_=function(e){quit(e)}),"undefined"!=typeof print&&("undefined"==typeof console&&(console={}),console.log=print,console.warn=console.error="undefined"!=typeof printErr?printErr:print)):(l||f)&&(f?b=self.location.href:void 0!==s&&s.currentScript&&(b=s.currentScript.src),b=0!==b.indexOf("blob:")?b.substr(0,b.lastIndexOf("/")+1):"",d=function(e){var t=new XMLHttpRequest;return t.open("GET",e,!1),t.send(null),t.responseText},f&&(y=function(e){var t=new XMLHttpRequest;return t.open("GET",e,!1),t.responseType="arraybuffer",t.send(null),new Uint8Array(t.response)}),m=function(e,t,r){var n=new XMLHttpRequest;n.open("GET",e,!0),n.responseType="arraybuffer",n.onload=function(){200==n.status||0==n.status&&n.response?t(n.response):r()},n.onerror=r,n.send(null)}),n.print||console.log.bind(console);var w=n.printErr||console.warn.bind(console);for(o in a)a.hasOwnProperty(o)&&(n[o]=a[o]);a=null,n.arguments&&(p=n.arguments),n.thisProgram&&(h=n.thisProgram),n.quit&&(_=n.quit);var E,x=16,j=[];function S(e,t){if(!E){E=new WeakMap;for(var r=0;r<X.length;r++){var n=X.get(r);n&&E.set(n,r)}}if(E.has(e))return E.get(e);var s=function(){if(j.length)return j.pop();try{X.grow(1)}catch(e){if(!(e instanceof RangeError))throw e;throw"Unable to grow wasm table. Set ALLOW_TABLE_GROWTH."}return X.length-1}();try{X.set(s,e)}catch(r){if(!(r instanceof TypeError))throw r;var i=function(e,t){if("function"==typeof WebAssembly.Function){for(var r={i:"i32",j:"i64",f:"f32",d:"f64"},n={parameters:[],results:"v"==t[0]?[]:[r[t[0]]]},s=1;s<t.length;++s)n.parameters.push(r[t[s]]);return new WebAssembly.Function(n,e)}var i=[1,0,1,96],o=t.slice(0,1),a=t.slice(1),c={i:127,j:126,f:125,d:124};for(i.push(a.length),s=0;s<a.length;++s)i.push(c[a[s]]);"v"==o?i.push(0):i=i.concat([1,c[o]]),i[1]=i.length-2;var u=new Uint8Array([0,97,115,109,1,0,0,0].concat(i,[2,7,1,1,101,1,102,0,0,7,5,1,1,102,0,0])),l=new WebAssembly.Module(u);return new WebAssembly.Instance(l,{e:{f:e}}).exports.f}(e,t);X.set(s,i)}return E.set(e,s),s}var A,O=n.dynamicLibraries||[];n.wasmBinary&&(A=n.wasmBinary);var P,k=n.noExitRuntime||!0;function M(e,t,r,n){switch("*"===(r=r||"i8").charAt(r.length-1)&&(r="i32"),r){case"i1":case"i8":C[e>>0]=t;break;case"i16":q[e>>1]=t;break;case"i32":$[e>>2]=t;break;case"i64":le=[t>>>0,(ue=t,+Math.abs(ue)>=1?ue>0?(0|Math.min(+Math.floor(ue/4294967296),4294967295))>>>0:~~+Math.ceil((ue-+(~~ue>>>0))/4294967296)>>>0:0)],$[e>>2]=le[0],$[e+4>>2]=le[1];break;case"float":L[e>>2]=t;break;case"double":V[e>>3]=t;break;default:ae("invalid type for setValue: "+r)}}function I(e,t,r){switch("*"===(t=t||"i8").charAt(t.length-1)&&(t="i32"),t){case"i1":case"i8":return C[e>>0];case"i16":return q[e>>1];case"i32":case"i64":return $[e>>2];case"float":return L[e>>2];case"double":return V[e>>3];default:ae("invalid type for getValue: "+t)}return null}"object"!=typeof WebAssembly&&ae("no native wasm support detected");var N=!1;function T(e,t){e||ae("Assertion failed: "+t)}var R,C,F,q,$,L,V,z="undefined"!=typeof TextDecoder?new TextDecoder("utf8"):void 0;function B(e,t,r){for(var n=t+r,s=t;e[s]&&!(s>=n);)++s;if(s-t>16&&e.subarray&&z)return z.decode(e.subarray(t,s));for(var i="";t<s;){var o=e[t++];if(128&o){var a=63&e[t++];if(192!=(224&o)){var c=63&e[t++];if((o=224==(240&o)?(15&o)<<12|a<<6|c:(7&o)<<18|a<<12|c<<6|63&e[t++])<65536)i+=String.fromCharCode(o);else{var u=o-65536;i+=String.fromCharCode(55296|u>>10,56320|1023&u)}}else i+=String.fromCharCode((31&o)<<6|a)}else i+=String.fromCharCode(o)}return i}function D(e,t){return e?B(F,e,t):""}function U(e,t,r,n){if(!(n>0))return 0;for(var s=r,i=r+n-1,o=0;o<e.length;++o){var a=e.charCodeAt(o);if(a>=55296&&a<=57343&&(a=65536+((1023&a)<<10)|1023&e.charCodeAt(++o)),a<=127){if(r>=i)break;t[r++]=a}else if(a<=2047){if(r+1>=i)break;t[r++]=192|a>>6,t[r++]=128|63&a}else if(a<=65535){if(r+2>=i)break;t[r++]=224|a>>12,t[r++]=128|a>>6&63,t[r++]=128|63&a}else{if(r+3>=i)break;t[r++]=240|a>>18,t[r++]=128|a>>12&63,t[r++]=128|a>>6&63,t[r++]=128|63&a}}return t[r]=0,r-s}function G(e,t,r){return U(e,F,t,r)}function W(e){for(var t=0,r=0;r<e.length;++r){var n=e.charCodeAt(r);n>=55296&&n<=57343&&(n=65536+((1023&n)<<10)|1023&e.charCodeAt(++r)),n<=127?++t:t+=n<=2047?2:n<=65535?3:4}return t}function Z(e){var t=W(e)+1,r=De(t);return U(e,C,r,t),r}function K(e){R=e,n.HEAP8=C=new Int8Array(e),n.HEAP16=q=new Int16Array(e),n.HEAP32=$=new Int32Array(e),n.HEAPU8=F=new Uint8Array(e),n.HEAPU16=new Uint16Array(e),n.HEAPU32=new Uint32Array(e),n.HEAPF32=L=new Float32Array(e),n.HEAPF64=V=new Float64Array(e)}var H=n.INITIAL_MEMORY||33554432;(P=n.wasmMemory?n.wasmMemory:new WebAssembly.Memory({initial:H/65536,maximum:32768}))&&(R=P.buffer),H=R.byteLength,K(R);var X=new WebAssembly.Table({initial:17,element:"anyfunc"}),J=[],Y=[],Q=[],ee=[],te=!1,re=0,ne=null,se=null;function ie(e){re++,n.monitorRunDependencies&&n.monitorRunDependencies(re)}function oe(e){if(re--,n.monitorRunDependencies&&n.monitorRunDependencies(re),0==re&&(null!==ne&&(clearInterval(ne),ne=null),se)){var t=se;se=null,t()}}function ae(e){throw n.onAbort&&n.onAbort(e),w(e+=""),N=!0,e="abort("+e+"). Build with -s ASSERTIONS=1 for more info.",new WebAssembly.RuntimeError(e)}n.preloadedImages={},n.preloadedAudios={},n.preloadedWasm={};var ce,ue,le;function fe(e){return e.startsWith("data:application/octet-stream;base64,")}function pe(e){return e.startsWith("file://")}function he(e){try{if(e==ce&&A)return new Uint8Array(A);if(y)return y(e);throw"both async and sync fetching of the wasm failed"}catch(e){ae(e)}}fe(ce="tree-sitter.wasm")||(ce=function(e){return n.locateFile?n.locateFile(e,b):b+e}(ce));var _e={},de={get:function(e,t){return _e[t]||(_e[t]=new WebAssembly.Global({value:"i32",mutable:!0})),_e[t]}};function me(e){for(;e.length>0;){var t=e.shift();if("function"!=typeof t){var r=t.func;"number"==typeof r?void 0===t.arg?X.get(r)():X.get(r)(t.arg):r(void 0===t.arg?null:t.arg)}else t(n)}}function ye(e){var t=0;function r(){for(var r=0,n=1;;){var s=e[t++];if(r+=(127&s)*n,n*=128,!(128&s))break}return r}if(e instanceof WebAssembly.Module){var n=WebAssembly.Module.customSections(e,"dylink");T(0!=n.length,"need dylink section"),e=new Int8Array(n[0])}else T(1836278016==new Uint32Array(new Uint8Array(e.subarray(0,24)).buffer)[0],"need to see wasm magic number"),T(0===e[8],"need the dylink section to be first"),t=9,r(),T(6===e[t]),T(e[++t]==="d".charCodeAt(0)),T(e[++t]==="y".charCodeAt(0)),T(e[++t]==="l".charCodeAt(0)),T(e[++t]==="i".charCodeAt(0)),T(e[++t]==="n".charCodeAt(0)),T(e[++t]==="k".charCodeAt(0)),t++;var s={};s.memorySize=r(),s.memoryAlign=r(),s.tableSize=r(),s.tableAlign=r();var i=r();s.neededDynlibs=[];for(var o=0;o<i;++o){var a=r(),c=e.subarray(t,t+a);t+=a;var u=B(c,0);s.neededDynlibs.push(u)}return s}var ge=0;function ve(){return k||ge>0}function be(e){return 0==e.indexOf("dynCall_")||["stackAlloc","stackSave","stackRestore"].includes(e)?e:"_"+e}function we(e,t){for(var r in e)if(e.hasOwnProperty(r)){$e.hasOwnProperty(r)||($e[r]=e[r]);var s=be(r);n.hasOwnProperty(s)||(n[s]=e[r])}}var Ee={nextHandle:1,loadedLibs:{},loadedLibNames:{}};var xe=5250880;function je(e){return["__cpp_exception","__wasm_apply_data_relocs","__dso_handle","__set_stack_limits"].includes(e)}function Se(e,t){var r={};for(var n in e){var s=e[n];"object"==typeof s&&(s=s.value),"number"==typeof s&&(s+=t),r[n]=s}return function(e){for(var t in e)if(!je(t)){var r=!1,n=e[t];t.startsWith("orig$")&&(t=t.split("$")[1],r=!0),_e[t]||(_e[t]=new WebAssembly.Global({value:"i32",mutable:!0})),(r||0==_e[t].value)&&("function"==typeof n?_e[t].value=S(n):"number"==typeof n?_e[t].value=n:w("unhandled export type for `"+t+"`: "+typeof n))}}(r),r}function Ae(e,t){var r,s;return t&&(r=$e["orig$"+e]),r||(r=$e[e]),r||(r=n[be(e)]),!r&&e.startsWith("invoke_")&&(s=e.split("_")[1],r=function(){var e=ze();try{return function(e,t,r){return e.includes("j")?function(e,t,r){var s=n["dynCall_"+e];return r&&r.length?s.apply(null,[t].concat(r)):s.call(null,t)}(e,t,r):X.get(t).apply(null,r)}(s,arguments[0],Array.prototype.slice.call(arguments,1))}catch(t){if(Be(e),t!==t+0&&"longjmp"!==t)throw t;Ue(1,0)}}),r}function Oe(e,t){var r=ye(e);function n(){var n=Math.pow(2,r.memoryAlign);n=Math.max(n,x);var s,i,o,a=(s=function(e){if(te)return Le(e);var t=xe,r=t+e+15&-16;return xe=r,_e.__heap_base.value=r,t}(r.memorySize+n),(i=n)||(i=x),Math.ceil(s/i)*i),c=X.length;X.grow(r.tableSize);for(var u=a;u<a+r.memorySize;u++)C[u]=0;for(u=c;u<c+r.tableSize;u++)X.set(u,null);var l=new Proxy({},{get:function(e,t){switch(t){case"__memory_base":return a;case"__table_base":return c}return t in $e?$e[t]:(t in e||(e[t]=function(){return r||(r=function(e){var t=Ae(e,!1);return t||(t=o[e]),t}(t)),r.apply(null,arguments)}),e[t]);var r}}),f={"GOT.mem":new Proxy({},de),"GOT.func":new Proxy({},de),env:l,wasi_snapshot_preview1:l};function p(e){for(var n=0;n<r.tableSize;n++){var s=X.get(c+n);s&&E.set(s,c+n)}o=Se(e.exports,a),t.allowUndefined||ke();var i=o.__wasm_call_ctors;return i||(i=o.__post_instantiate),i&&(te?i():Y.push(i)),o}if(t.loadAsync){if(e instanceof WebAssembly.Module){var h=new WebAssembly.Instance(e,f);return Promise.resolve(p(h))}return WebAssembly.instantiate(e,f).then((function(e){return p(e.instance)}))}var _=e instanceof WebAssembly.Module?e:new WebAssembly.Module(e);return p(h=new WebAssembly.Instance(_,f))}return t.loadAsync?r.neededDynlibs.reduce((function(e,r){return e.then((function(){return Pe(r,t)}))}),Promise.resolve()).then((function(){return n()})):(r.neededDynlibs.forEach((function(e){Pe(e,t)})),n())}function Pe(e,t){"__main__"!=e||Ee.loadedLibNames[e]||(Ee.loadedLibs[-1]={refcount:1/0,name:"__main__",module:n.asm,global:!0},Ee.loadedLibNames.__main__=-1),t=t||{global:!0,nodelete:!0};var r,s=Ee.loadedLibNames[e];if(s)return r=Ee.loadedLibs[s],t.global&&!r.global&&(r.global=!0,"loading"!==r.module&&we(r.module)),t.nodelete&&r.refcount!==1/0&&(r.refcount=1/0),r.refcount++,t.loadAsync?Promise.resolve(s):s;function i(e){if(t.fs){var r=t.fs.readFile(e,{encoding:"binary"});return r instanceof Uint8Array||(r=new Uint8Array(r)),t.loadAsync?Promise.resolve(r):r}return t.loadAsync?(n=e,fetch(n,{credentials:"same-origin"}).then((function(e){if(!e.ok)throw"failed to load binary file at '"+n+"'";return e.arrayBuffer()})).then((function(e){return new Uint8Array(e)}))):y(e);var n}function o(){if(void 0!==n.preloadedWasm&&void 0!==n.preloadedWasm[e]){var r=n.preloadedWasm[e];return t.loadAsync?Promise.resolve(r):r}return t.loadAsync?i(e).then((function(e){return Oe(e,t)})):Oe(i(e),t)}function a(e){r.global&&we(e),r.module=e}return s=Ee.nextHandle++,r={refcount:t.nodelete?1/0:1,name:e,module:"loading",global:t.global},Ee.loadedLibNames[e]=s,Ee.loadedLibs[s]=r,t.loadAsync?o().then((function(e){return a(e),s})):(a(o()),s)}function ke(){for(var e in _e)if(0==_e[e].value){var t=Ae(e,!0);"function"==typeof t?_e[e].value=S(t,t.sig):"number"==typeof t?_e[e].value=t:T(!1,"bad export type for `"+e+"`: "+typeof t)}}n.___heap_base=xe;var Me,Ie=new WebAssembly.Global({value:"i32",mutable:!0},5250880);function Ne(){ae()}n._abort=Ne,Ne.sig="v",Me=c?function(){var e=process.hrtime();return 1e3*e[0]+e[1]/1e6}:"undefined"!=typeof dateNow?dateNow:function(){return performance.now()};function Te(e,t){var r;if(0===e)r=Date.now();else{if(1!==e&&4!==e)return 28,$[Ve()>>2]=28,-1;r=Me()}return $[t>>2]=r/1e3|0,$[t+4>>2]=r%1e3*1e3*1e3|0,0}function Re(e){try{return P.grow(e-R.byteLength+65535>>>16),K(P.buffer),1}catch(e){}}function Ce(e){Ke(e)}function Fe(e){}Te.sig="iii",Ce.sig="vi",Fe.sig="vi";var qe,$e={__heap_base:xe,__indirect_function_table:X,__memory_base:1024,__stack_pointer:Ie,__table_base:1,abort:Ne,clock_gettime:Te,emscripten_memcpy_big:function(e,t,r){F.copyWithin(e,t,t+r)},emscripten_resize_heap:function(e){var t,r=F.length;if((e>>>=0)>2147483648)return!1;for(var n=1;n<=4;n*=2){var s=r*(1+.2/n);if(s=Math.min(s,e+100663296),Re(Math.min(2147483648,((t=Math.max(e,s))%65536>0&&(t+=65536-t%65536),t))))return!0}return!1},exit:Ce,memory:P,setTempRet0:Fe,tree_sitter_log_callback:function(e,t){if(ut){const r=D(t);ut(r,0!==e)}},tree_sitter_parse_callback:function(e,t,r,n,s){var i=ct(t,{row:r,column:n});"string"==typeof i?(M(s,i.length,"i32"),function(e,t,r){if(void 0===r&&(r=2147483647),r<2)return 0;for(var n=(r-=2)<2*e.length?r/2:e.length,s=0;s<n;++s){var i=e.charCodeAt(s);q[t>>1]=i,t+=2}q[t>>1]=0}(i,e,10240)):M(s,0,"i32")}},Le=(function(){var e={env:$e,wasi_snapshot_preview1:$e,"GOT.mem":new Proxy($e,de),"GOT.func":new Proxy($e,de)};function t(e,t){var r=e.exports;r=Se(r,1024),n.asm=r;var s,i=ye(t);i.neededDynlibs&&(O=i.neededDynlibs.concat(O)),we(r),s=n.asm.__wasm_call_ctors,Y.unshift(s),oe()}function r(e){t(e.instance,e.module)}function s(t){return function(){if(!A&&(l||f)){if("function"==typeof fetch&&!pe(ce))return fetch(ce,{credentials:"same-origin"}).then((function(e){if(!e.ok)throw"failed to load wasm binary file at '"+ce+"'";return e.arrayBuffer()})).catch((function(){return he(ce)}));if(m)return new Promise((function(e,t){m(ce,(function(t){e(new Uint8Array(t))}),t)}))}return Promise.resolve().then((function(){return he(ce)}))}().then((function(t){return WebAssembly.instantiate(t,e)})).then(t,(function(e){w("failed to asynchronously prepare wasm: "+e),ae(e)}))}if(ie(),n.instantiateWasm)try{return n.instantiateWasm(e,t)}catch(e){return w("Module.instantiateWasm callback failed with error: "+e),!1}A||"function"!=typeof WebAssembly.instantiateStreaming||fe(ce)||pe(ce)||"function"!=typeof fetch?s(r):fetch(ce,{credentials:"same-origin"}).then((function(t){return WebAssembly.instantiateStreaming(t,e).then(r,(function(e){return w("wasm streaming compile failed: "+e),w("falling back to ArrayBuffer instantiation"),s(r)}))}))}(),n.___wasm_call_ctors=function(){return(n.___wasm_call_ctors=n.asm.__wasm_call_ctors).apply(null,arguments)},n._malloc=function(){return(Le=n._malloc=n.asm.malloc).apply(null,arguments)}),Ve=(n._calloc=function(){return(n._calloc=n.asm.calloc).apply(null,arguments)},n._realloc=function(){return(n._realloc=n.asm.realloc).apply(null,arguments)},n._free=function(){return(n._free=n.asm.free).apply(null,arguments)},n._ts_language_symbol_count=function(){return(n._ts_language_symbol_count=n.asm.ts_language_symbol_count).apply(null,arguments)},n._ts_language_version=function(){return(n._ts_language_version=n.asm.ts_language_version).apply(null,arguments)},n._ts_language_field_count=function(){return(n._ts_language_field_count=n.asm.ts_language_field_count).apply(null,arguments)},n._ts_language_symbol_name=function(){return(n._ts_language_symbol_name=n.asm.ts_language_symbol_name).apply(null,arguments)},n._ts_language_symbol_for_name=function(){return(n._ts_language_symbol_for_name=n.asm.ts_language_symbol_for_name).apply(null,arguments)},n._ts_language_symbol_type=function(){return(n._ts_language_symbol_type=n.asm.ts_language_symbol_type).apply(null,arguments)},n._ts_language_field_name_for_id=function(){return(n._ts_language_field_name_for_id=n.asm.ts_language_field_name_for_id).apply(null,arguments)},n._memcpy=function(){return(n._memcpy=n.asm.memcpy).apply(null,arguments)},n._ts_parser_delete=function(){return(n._ts_parser_delete=n.asm.ts_parser_delete).apply(null,arguments)},n._ts_parser_reset=function(){return(n._ts_parser_reset=n.asm.ts_parser_reset).apply(null,arguments)},n._ts_parser_set_language=function(){return(n._ts_parser_set_language=n.asm.ts_parser_set_language).apply(null,arguments)},n._ts_parser_timeout_micros=function(){return(n._ts_parser_timeout_micros=n.asm.ts_parser_timeout_micros).apply(null,arguments)},n._ts_parser_set_timeout_micros=function(){return(n._ts_parser_set_timeout_micros=n.asm.ts_parser_set_timeout_micros).apply(null,arguments)},n._memmove=function(){return(n._memmove=n.asm.memmove).apply(null,arguments)},n._memcmp=function(){return(n._memcmp=n.asm.memcmp).apply(null,arguments)},n._ts_query_new=function(){return(n._ts_query_new=n.asm.ts_query_new).apply(null,arguments)},n._ts_query_delete=function(){return(n._ts_query_delete=n.asm.ts_query_delete).apply(null,arguments)},n._iswspace=function(){return(n._iswspace=n.asm.iswspace).apply(null,arguments)},n._iswalnum=function(){return(n._iswalnum=n.asm.iswalnum).apply(null,arguments)},n._ts_query_pattern_count=function(){return(n._ts_query_pattern_count=n.asm.ts_query_pattern_count).apply(null,arguments)},n._ts_query_capture_count=function(){return(n._ts_query_capture_count=n.asm.ts_query_capture_count).apply(null,arguments)},n._ts_query_string_count=function(){return(n._ts_query_string_count=n.asm.ts_query_string_count).apply(null,arguments)},n._ts_query_capture_name_for_id=function(){return(n._ts_query_capture_name_for_id=n.asm.ts_query_capture_name_for_id).apply(null,arguments)},n._ts_query_string_value_for_id=function(){return(n._ts_query_string_value_for_id=n.asm.ts_query_string_value_for_id).apply(null,arguments)},n._ts_query_predicates_for_pattern=function(){return(n._ts_query_predicates_for_pattern=n.asm.ts_query_predicates_for_pattern).apply(null,arguments)},n._ts_tree_copy=function(){return(n._ts_tree_copy=n.asm.ts_tree_copy).apply(null,arguments)},n._ts_tree_delete=function(){return(n._ts_tree_delete=n.asm.ts_tree_delete).apply(null,arguments)},n._ts_init=function(){return(n._ts_init=n.asm.ts_init).apply(null,arguments)},n._ts_parser_new_wasm=function(){return(n._ts_parser_new_wasm=n.asm.ts_parser_new_wasm).apply(null,arguments)},n._ts_parser_enable_logger_wasm=function(){return(n._ts_parser_enable_logger_wasm=n.asm.ts_parser_enable_logger_wasm).apply(null,arguments)},n._ts_parser_parse_wasm=function(){return(n._ts_parser_parse_wasm=n.asm.ts_parser_parse_wasm).apply(null,arguments)},n._ts_language_type_is_named_wasm=function(){return(n._ts_language_type_is_named_wasm=n.asm.ts_language_type_is_named_wasm).apply(null,arguments)},n._ts_language_type_is_visible_wasm=function(){return(n._ts_language_type_is_visible_wasm=n.asm.ts_language_type_is_visible_wasm).apply(null,arguments)},n._ts_tree_root_node_wasm=function(){return(n._ts_tree_root_node_wasm=n.asm.ts_tree_root_node_wasm).apply(null,arguments)},n._ts_tree_edit_wasm=function(){return(n._ts_tree_edit_wasm=n.asm.ts_tree_edit_wasm).apply(null,arguments)},n._ts_tree_get_changed_ranges_wasm=function(){return(n._ts_tree_get_changed_ranges_wasm=n.asm.ts_tree_get_changed_ranges_wasm).apply(null,arguments)},n._ts_tree_cursor_new_wasm=function(){return(n._ts_tree_cursor_new_wasm=n.asm.ts_tree_cursor_new_wasm).apply(null,arguments)},n._ts_tree_cursor_delete_wasm=function(){return(n._ts_tree_cursor_delete_wasm=n.asm.ts_tree_cursor_delete_wasm).apply(null,arguments)},n._ts_tree_cursor_reset_wasm=function(){return(n._ts_tree_cursor_reset_wasm=n.asm.ts_tree_cursor_reset_wasm).apply(null,arguments)},n._ts_tree_cursor_goto_first_child_wasm=function(){return(n._ts_tree_cursor_goto_first_child_wasm=n.asm.ts_tree_cursor_goto_first_child_wasm).apply(null,arguments)},n._ts_tree_cursor_goto_next_sibling_wasm=function(){return(n._ts_tree_cursor_goto_next_sibling_wasm=n.asm.ts_tree_cursor_goto_next_sibling_wasm).apply(null,arguments)},n._ts_tree_cursor_goto_parent_wasm=function(){return(n._ts_tree_cursor_goto_parent_wasm=n.asm.ts_tree_cursor_goto_parent_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_type_id_wasm=function(){return(n._ts_tree_cursor_current_node_type_id_wasm=n.asm.ts_tree_cursor_current_node_type_id_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_is_named_wasm=function(){return(n._ts_tree_cursor_current_node_is_named_wasm=n.asm.ts_tree_cursor_current_node_is_named_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_is_missing_wasm=function(){return(n._ts_tree_cursor_current_node_is_missing_wasm=n.asm.ts_tree_cursor_current_node_is_missing_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_id_wasm=function(){return(n._ts_tree_cursor_current_node_id_wasm=n.asm.ts_tree_cursor_current_node_id_wasm).apply(null,arguments)},n._ts_tree_cursor_start_position_wasm=function(){return(n._ts_tree_cursor_start_position_wasm=n.asm.ts_tree_cursor_start_position_wasm).apply(null,arguments)},n._ts_tree_cursor_end_position_wasm=function(){return(n._ts_tree_cursor_end_position_wasm=n.asm.ts_tree_cursor_end_position_wasm).apply(null,arguments)},n._ts_tree_cursor_start_index_wasm=function(){return(n._ts_tree_cursor_start_index_wasm=n.asm.ts_tree_cursor_start_index_wasm).apply(null,arguments)},n._ts_tree_cursor_end_index_wasm=function(){return(n._ts_tree_cursor_end_index_wasm=n.asm.ts_tree_cursor_end_index_wasm).apply(null,arguments)},n._ts_tree_cursor_current_field_id_wasm=function(){return(n._ts_tree_cursor_current_field_id_wasm=n.asm.ts_tree_cursor_current_field_id_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_wasm=function(){return(n._ts_tree_cursor_current_node_wasm=n.asm.ts_tree_cursor_current_node_wasm).apply(null,arguments)},n._ts_node_symbol_wasm=function(){return(n._ts_node_symbol_wasm=n.asm.ts_node_symbol_wasm).apply(null,arguments)},n._ts_node_child_count_wasm=function(){return(n._ts_node_child_count_wasm=n.asm.ts_node_child_count_wasm).apply(null,arguments)},n._ts_node_named_child_count_wasm=function(){return(n._ts_node_named_child_count_wasm=n.asm.ts_node_named_child_count_wasm).apply(null,arguments)},n._ts_node_child_wasm=function(){return(n._ts_node_child_wasm=n.asm.ts_node_child_wasm).apply(null,arguments)},n._ts_node_named_child_wasm=function(){return(n._ts_node_named_child_wasm=n.asm.ts_node_named_child_wasm).apply(null,arguments)},n._ts_node_child_by_field_id_wasm=function(){return(n._ts_node_child_by_field_id_wasm=n.asm.ts_node_child_by_field_id_wasm).apply(null,arguments)},n._ts_node_next_sibling_wasm=function(){return(n._ts_node_next_sibling_wasm=n.asm.ts_node_next_sibling_wasm).apply(null,arguments)},n._ts_node_prev_sibling_wasm=function(){return(n._ts_node_prev_sibling_wasm=n.asm.ts_node_prev_sibling_wasm).apply(null,arguments)},n._ts_node_next_named_sibling_wasm=function(){return(n._ts_node_next_named_sibling_wasm=n.asm.ts_node_next_named_sibling_wasm).apply(null,arguments)},n._ts_node_prev_named_sibling_wasm=function(){return(n._ts_node_prev_named_sibling_wasm=n.asm.ts_node_prev_named_sibling_wasm).apply(null,arguments)},n._ts_node_parent_wasm=function(){return(n._ts_node_parent_wasm=n.asm.ts_node_parent_wasm).apply(null,arguments)},n._ts_node_descendant_for_index_wasm=function(){return(n._ts_node_descendant_for_index_wasm=n.asm.ts_node_descendant_for_index_wasm).apply(null,arguments)},n._ts_node_named_descendant_for_index_wasm=function(){return(n._ts_node_named_descendant_for_index_wasm=n.asm.ts_node_named_descendant_for_index_wasm).apply(null,arguments)},n._ts_node_descendant_for_position_wasm=function(){return(n._ts_node_descendant_for_position_wasm=n.asm.ts_node_descendant_for_position_wasm).apply(null,arguments)},n._ts_node_named_descendant_for_position_wasm=function(){return(n._ts_node_named_descendant_for_position_wasm=n.asm.ts_node_named_descendant_for_position_wasm).apply(null,arguments)},n._ts_node_start_point_wasm=function(){return(n._ts_node_start_point_wasm=n.asm.ts_node_start_point_wasm).apply(null,arguments)},n._ts_node_end_point_wasm=function(){return(n._ts_node_end_point_wasm=n.asm.ts_node_end_point_wasm).apply(null,arguments)},n._ts_node_start_index_wasm=function(){return(n._ts_node_start_index_wasm=n.asm.ts_node_start_index_wasm).apply(null,arguments)},n._ts_node_end_index_wasm=function(){return(n._ts_node_end_index_wasm=n.asm.ts_node_end_index_wasm).apply(null,arguments)},n._ts_node_to_string_wasm=function(){return(n._ts_node_to_string_wasm=n.asm.ts_node_to_string_wasm).apply(null,arguments)},n._ts_node_children_wasm=function(){return(n._ts_node_children_wasm=n.asm.ts_node_children_wasm).apply(null,arguments)},n._ts_node_named_children_wasm=function(){return(n._ts_node_named_children_wasm=n.asm.ts_node_named_children_wasm).apply(null,arguments)},n._ts_node_descendants_of_type_wasm=function(){return(n._ts_node_descendants_of_type_wasm=n.asm.ts_node_descendants_of_type_wasm).apply(null,arguments)},n._ts_node_is_named_wasm=function(){return(n._ts_node_is_named_wasm=n.asm.ts_node_is_named_wasm).apply(null,arguments)},n._ts_node_has_changes_wasm=function(){return(n._ts_node_has_changes_wasm=n.asm.ts_node_has_changes_wasm).apply(null,arguments)},n._ts_node_has_error_wasm=function(){return(n._ts_node_has_error_wasm=n.asm.ts_node_has_error_wasm).apply(null,arguments)},n._ts_node_is_missing_wasm=function(){return(n._ts_node_is_missing_wasm=n.asm.ts_node_is_missing_wasm).apply(null,arguments)},n._ts_query_matches_wasm=function(){return(n._ts_query_matches_wasm=n.asm.ts_query_matches_wasm).apply(null,arguments)},n._ts_query_captures_wasm=function(){return(n._ts_query_captures_wasm=n.asm.ts_query_captures_wasm).apply(null,arguments)},n._iswdigit=function(){return(n._iswdigit=n.asm.iswdigit).apply(null,arguments)},n._iswalpha=function(){return(n._iswalpha=n.asm.iswalpha).apply(null,arguments)},n._iswlower=function(){return(n._iswlower=n.asm.iswlower).apply(null,arguments)},n._towupper=function(){return(n._towupper=n.asm.towupper).apply(null,arguments)},n.___errno_location=function(){return(Ve=n.___errno_location=n.asm.__errno_location).apply(null,arguments)}),ze=(n._memchr=function(){return(n._memchr=n.asm.memchr).apply(null,arguments)},n._strlen=function(){return(n._strlen=n.asm.strlen).apply(null,arguments)},n.stackSave=function(){return(ze=n.stackSave=n.asm.stackSave).apply(null,arguments)}),Be=n.stackRestore=function(){return(Be=n.stackRestore=n.asm.stackRestore).apply(null,arguments)},De=n.stackAlloc=function(){return(De=n.stackAlloc=n.asm.stackAlloc).apply(null,arguments)},Ue=n._setThrew=function(){return(Ue=n._setThrew=n.asm.setThrew).apply(null,arguments)};function Ge(e){this.name="ExitStatus",this.message="Program terminated with exit("+e+")",this.status=e}n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEED2Ev=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEED2Ev=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEED2Ev).apply(null,arguments)},n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9__grow_byEmmmmmm=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9__grow_byEmmmmmm=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9__grow_byEmmmmmm).apply(null,arguments)},n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE6__initEPKcm=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE6__initEPKcm=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE6__initEPKcm).apply(null,arguments)},n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE7reserveEm=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE7reserveEm=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE7reserveEm).apply(null,arguments)},n.__ZNKSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE4copyEPcmm=function(){return(n.__ZNKSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE4copyEPcmm=n.asm._ZNKSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE4copyEPcmm).apply(null,arguments)},n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9push_backEc=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9push_backEc=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9push_backEc).apply(null,arguments)},n.__ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEED2Ev=function(){return(n.__ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEED2Ev=n.asm._ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEED2Ev).apply(null,arguments)},n.__ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEE9push_backEw=function(){return(n.__ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEE9push_backEw=n.asm._ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEE9push_backEw).apply(null,arguments)},n.__Znwm=function(){return(n.__Znwm=n.asm._Znwm).apply(null,arguments)},n.__ZdlPv=function(){return(n.__ZdlPv=n.asm._ZdlPv).apply(null,arguments)},n.__ZNKSt3__220__vector_base_commonILb1EE20__throw_length_errorEv=function(){return(n.__ZNKSt3__220__vector_base_commonILb1EE20__throw_length_errorEv=n.asm._ZNKSt3__220__vector_base_commonILb1EE20__throw_length_errorEv).apply(null,arguments)},n._orig$ts_parser_timeout_micros=function(){return(n._orig$ts_parser_timeout_micros=n.asm.orig$ts_parser_timeout_micros).apply(null,arguments)},n._orig$ts_parser_set_timeout_micros=function(){return(n._orig$ts_parser_set_timeout_micros=n.asm.orig$ts_parser_set_timeout_micros).apply(null,arguments)},n.allocate=function(e,t){var r;return r=1==t?De(e.length):Le(e.length),e.subarray||e.slice?F.set(e,r):F.set(new Uint8Array(e),r),r},se=function e(){qe||Ze(),qe||(se=e)};var We=!1;function Ze(e){function t(){qe||(qe=!0,n.calledRun=!0,N||(te=!0,me(Y),me(Q),n.onRuntimeInitialized&&n.onRuntimeInitialized(),He&&function(e){var t=n._main;if(t){var r=(e=e||[]).length+1,s=De(4*(r+1));$[s>>2]=Z(h);for(var i=1;i<r;i++)$[(s>>2)+i]=Z(e[i-1]);$[(s>>2)+r]=0;try{Ke(t(r,s),!0)}catch(e){if(e instanceof Ge)return;if("unwind"==e)return;var o=e;e&&"object"==typeof e&&e.stack&&(o=[e,e.stack]),w("exception thrown: "+o),_(1,e)}}}(e),function(){if(n.postRun)for("function"==typeof n.postRun&&(n.postRun=[n.postRun]);n.postRun.length;)e=n.postRun.shift(),ee.unshift(e);var e;me(ee)}()))}e=e||p,re>0||!We&&(function(){if(O.length){if(!y)return ie(),void O.reduce((function(e,t){return e.then((function(){return Pe(t,{loadAsync:!0,global:!0,nodelete:!0,allowUndefined:!0})}))}),Promise.resolve()).then((function(){oe(),ke()}));O.forEach((function(e){Pe(e,{global:!0,nodelete:!0,allowUndefined:!0})})),ke()}else ke()}(),We=!0,re>0)||(function(){if(n.preRun)for("function"==typeof n.preRun&&(n.preRun=[n.preRun]);n.preRun.length;)e=n.preRun.shift(),J.unshift(e);var e;me(J)}(),re>0||(n.setStatus?(n.setStatus("Running..."),setTimeout((function(){setTimeout((function(){n.setStatus("")}),1),t()}),1)):t()))}function Ke(e,t){t&&ve()&&0===e||(ve()||(n.onExit&&n.onExit(e),N=!0),_(e,new Ge(e)))}if(n.run=Ze,n.preInit)for("function"==typeof n.preInit&&(n.preInit=[n.preInit]);n.preInit.length>0;)n.preInit.pop()();var He=!0;n.noInitialRun&&(He=!1),Ze();const Xe=n,Je={},Ye=4,Qe=5*Ye,et=2*Ye,tt=2*Ye+2*et,rt={row:0,column:0},nt=/[\w-.]*/g,st=/^_?tree_sitter_\w+/;var it,ot,at,ct,ut;class lt{static init(){at=Xe._ts_init(),it=I(at,"i32"),ot=I(at+Ye,"i32")}initialize(){Xe._ts_parser_new_wasm(),this[0]=I(at,"i32"),this[1]=I(at+Ye,"i32")}delete(){Xe._ts_parser_delete(this[0]),Xe._free(this[1]),this[0]=0,this[1]=0}setLanguage(e){let t;if(e){if(e.constructor!==_t)throw new Error("Argument must be a Language");{t=e[0];const r=Xe._ts_language_version(t);if(r<ot||it<r)throw new Error(`Incompatible language version ${r}. Compatibility range ${ot} through ${it}.`)}}else t=0,e=null;return this.language=e,Xe._ts_parser_set_language(this[0],t),this}getLanguage(){return this.language}parse(e,t,r){if("string"==typeof e)ct=(t,r,n)=>e.slice(t,n);else{if("function"!=typeof e)throw new Error("Argument must be a string or a function");ct=e}this.logCallback?(ut=this.logCallback,Xe._ts_parser_enable_logger_wasm(this[0],1)):(ut=null,Xe._ts_parser_enable_logger_wasm(this[0],0));let n=0,s=0;if(r&&r.includedRanges){n=r.includedRanges.length;let e=s=Xe._calloc(n,tt);for(let t=0;t<n;t++)At(e,r.includedRanges[t]),e+=tt}const i=Xe._ts_parser_parse_wasm(this[0],this[1],t?t[0]:0,s,n);if(!i)throw ct=null,ut=null,new Error("Parsing failed");const o=new ft(Je,i,this.language,ct);return ct=null,ut=null,o}reset(){Xe._ts_parser_reset(this[0])}setTimeoutMicros(e){Xe._ts_parser_set_timeout_micros(this[0],e)}getTimeoutMicros(){return Xe._ts_parser_timeout_micros(this[0])}setLogger(e){if(e){if("function"!=typeof e)throw new Error("Logger callback must be a function")}else e=null;return this.logCallback=e,this}getLogger(){return this.logCallback}}class ft{constructor(e,t,r,n){gt(e),this[0]=t,this.language=r,this.textCallback=n}copy(){const e=Xe._ts_tree_copy(this[0]);return new ft(Je,e,this.language,this.textCallback)}delete(){Xe._ts_tree_delete(this[0]),this[0]=0}edit(e){!function(e){let t=at;jt(t,e.startPosition),jt(t+=et,e.oldEndPosition),jt(t+=et,e.newEndPosition),M(t+=et,e.startIndex,"i32"),M(t+=Ye,e.oldEndIndex,"i32"),M(t+=Ye,e.newEndIndex,"i32"),t+=Ye}(e),Xe._ts_tree_edit_wasm(this[0])}get rootNode(){return Xe._ts_tree_root_node_wasm(this[0]),wt(this)}getLanguage(){return this.language}walk(){return this.rootNode.walk()}getChangedRanges(e){if(e.constructor!==ft)throw new TypeError("Argument must be a Tree");Xe._ts_tree_get_changed_ranges_wasm(this[0],e[0]);const t=I(at,"i32"),r=I(at+Ye,"i32"),n=new Array(t);if(t>0){let e=r;for(let r=0;r<t;r++)n[r]=Ot(e),e+=tt;Xe._free(r)}return n}}class pt{constructor(e,t){gt(e),this.tree=t}get typeId(){return bt(this),Xe._ts_node_symbol_wasm(this.tree[0])}get type(){return this.tree.language.types[this.typeId]||"ERROR"}get endPosition(){return bt(this),Xe._ts_node_end_point_wasm(this.tree[0]),St(at)}get endIndex(){return bt(this),Xe._ts_node_end_index_wasm(this.tree[0])}get text(){return mt(this.tree,this.startIndex,this.endIndex)}isNamed(){return bt(this),1===Xe._ts_node_is_named_wasm(this.tree[0])}hasError(){return bt(this),1===Xe._ts_node_has_error_wasm(this.tree[0])}hasChanges(){return bt(this),1===Xe._ts_node_has_changes_wasm(this.tree[0])}isMissing(){return bt(this),1===Xe._ts_node_is_missing_wasm(this.tree[0])}equals(e){return this.id===e.id}child(e){return bt(this),Xe._ts_node_child_wasm(this.tree[0],e),wt(this.tree)}namedChild(e){return bt(this),Xe._ts_node_named_child_wasm(this.tree[0],e),wt(this.tree)}childForFieldId(e){return bt(this),Xe._ts_node_child_by_field_id_wasm(this.tree[0],e),wt(this.tree)}childForFieldName(e){const t=this.tree.language.fields.indexOf(e);if(-1!==t)return this.childForFieldId(t)}get childCount(){return bt(this),Xe._ts_node_child_count_wasm(this.tree[0])}get namedChildCount(){return bt(this),Xe._ts_node_named_child_count_wasm(this.tree[0])}get firstChild(){return this.child(0)}get firstNamedChild(){return this.namedChild(0)}get lastChild(){return this.child(this.childCount-1)}get lastNamedChild(){return this.namedChild(this.namedChildCount-1)}get children(){if(!this._children){bt(this),Xe._ts_node_children_wasm(this.tree[0]);const e=I(at,"i32"),t=I(at+Ye,"i32");if(this._children=new Array(e),e>0){let r=t;for(let t=0;t<e;t++)this._children[t]=wt(this.tree,r),r+=Qe;Xe._free(t)}}return this._children}get namedChildren(){if(!this._namedChildren){bt(this),Xe._ts_node_named_children_wasm(this.tree[0]);const e=I(at,"i32"),t=I(at+Ye,"i32");if(this._namedChildren=new Array(e),e>0){let r=t;for(let t=0;t<e;t++)this._namedChildren[t]=wt(this.tree,r),r+=Qe;Xe._free(t)}}return this._namedChildren}descendantsOfType(e,t,r){Array.isArray(e)||(e=[e]),t||(t=rt),r||(r=rt);const n=[],s=this.tree.language.types;for(let t=0,r=s.length;t<r;t++)e.includes(s[t])&&n.push(t);const i=Xe._malloc(Ye*n.length);for(let e=0,t=n.length;e<t;e++)M(i+e*Ye,n[e],"i32");bt(this),Xe._ts_node_descendants_of_type_wasm(this.tree[0],i,n.length,t.row,t.column,r.row,r.column);const o=I(at,"i32"),a=I(at+Ye,"i32"),c=new Array(o);if(o>0){let e=a;for(let t=0;t<o;t++)c[t]=wt(this.tree,e),e+=Qe}return Xe._free(a),Xe._free(i),c}get nextSibling(){return bt(this),Xe._ts_node_next_sibling_wasm(this.tree[0]),wt(this.tree)}get previousSibling(){return bt(this),Xe._ts_node_prev_sibling_wasm(this.tree[0]),wt(this.tree)}get nextNamedSibling(){return bt(this),Xe._ts_node_next_named_sibling_wasm(this.tree[0]),wt(this.tree)}get previousNamedSibling(){return bt(this),Xe._ts_node_prev_named_sibling_wasm(this.tree[0]),wt(this.tree)}get parent(){return bt(this),Xe._ts_node_parent_wasm(this.tree[0]),wt(this.tree)}descendantForIndex(e,t=e){if("number"!=typeof e||"number"!=typeof t)throw new Error("Arguments must be numbers");bt(this);let r=at+Qe;return M(r,e,"i32"),M(r+Ye,t,"i32"),Xe._ts_node_descendant_for_index_wasm(this.tree[0]),wt(this.tree)}namedDescendantForIndex(e,t=e){if("number"!=typeof e||"number"!=typeof t)throw new Error("Arguments must be numbers");bt(this);let r=at+Qe;return M(r,e,"i32"),M(r+Ye,t,"i32"),Xe._ts_node_named_descendant_for_index_wasm(this.tree[0]),wt(this.tree)}descendantForPosition(e,t=e){if(!vt(e)||!vt(t))throw new Error("Arguments must be {row, column} objects");bt(this);let r=at+Qe;return jt(r,e),jt(r+et,t),Xe._ts_node_descendant_for_position_wasm(this.tree[0]),wt(this.tree)}namedDescendantForPosition(e,t=e){if(!vt(e)||!vt(t))throw new Error("Arguments must be {row, column} objects");bt(this);let r=at+Qe;return jt(r,e),jt(r+et,t),Xe._ts_node_named_descendant_for_position_wasm(this.tree[0]),wt(this.tree)}walk(){return bt(this),Xe._ts_tree_cursor_new_wasm(this.tree[0]),new ht(Je,this.tree)}toString(){bt(this);const e=Xe._ts_node_to_string_wasm(this.tree[0]),t=function(e){for(var t="";;){var r=F[e++>>0];if(!r)return t;t+=String.fromCharCode(r)}}(e);return Xe._free(e),t}}class ht{constructor(e,t){gt(e),this.tree=t,xt(this)}delete(){Et(this),Xe._ts_tree_cursor_delete_wasm(this.tree[0]),this[0]=this[1]=this[2]=0}reset(e){bt(e),Et(this,at+Qe),Xe._ts_tree_cursor_reset_wasm(this.tree[0]),xt(this)}get nodeType(){return this.tree.language.types[this.nodeTypeId]||"ERROR"}get nodeTypeId(){return Et(this),Xe._ts_tree_cursor_current_node_type_id_wasm(this.tree[0])}get nodeId(){return Et(this),Xe._ts_tree_cursor_current_node_id_wasm(this.tree[0])}get nodeIsNamed(){return Et(this),1===Xe._ts_tree_cursor_current_node_is_named_wasm(this.tree[0])}get nodeIsMissing(){return Et(this),1===Xe._ts_tree_cursor_current_node_is_missing_wasm(this.tree[0])}get nodeText(){Et(this);const e=Xe._ts_tree_cursor_start_index_wasm(this.tree[0]),t=Xe._ts_tree_cursor_end_index_wasm(this.tree[0]);return mt(this.tree,e,t)}get startPosition(){return Et(this),Xe._ts_tree_cursor_start_position_wasm(this.tree[0]),St(at)}get endPosition(){return Et(this),Xe._ts_tree_cursor_end_position_wasm(this.tree[0]),St(at)}get startIndex(){return Et(this),Xe._ts_tree_cursor_start_index_wasm(this.tree[0])}get endIndex(){return Et(this),Xe._ts_tree_cursor_end_index_wasm(this.tree[0])}currentNode(){return Et(this),Xe._ts_tree_cursor_current_node_wasm(this.tree[0]),wt(this.tree)}currentFieldId(){return Et(this),Xe._ts_tree_cursor_current_field_id_wasm(this.tree[0])}currentFieldName(){return this.tree.language.fields[this.currentFieldId()]}gotoFirstChild(){Et(this);const e=Xe._ts_tree_cursor_goto_first_child_wasm(this.tree[0]);return xt(this),1===e}gotoNextSibling(){Et(this);const e=Xe._ts_tree_cursor_goto_next_sibling_wasm(this.tree[0]);return xt(this),1===e}gotoParent(){Et(this);const e=Xe._ts_tree_cursor_goto_parent_wasm(this.tree[0]);return xt(this),1===e}}class _t{constructor(e,t){gt(e),this[0]=t,this.types=new Array(Xe._ts_language_symbol_count(this[0]));for(let e=0,t=this.types.length;e<t;e++)Xe._ts_language_symbol_type(this[0],e)<2&&(this.types[e]=D(Xe._ts_language_symbol_name(this[0],e)));this.fields=new Array(Xe._ts_language_field_count(this[0])+1);for(let e=0,t=this.fields.length;e<t;e++){const t=Xe._ts_language_field_name_for_id(this[0],e);this.fields[e]=0!==t?D(t):null}}get version(){return Xe._ts_language_version(this[0])}get fieldCount(){return this.fields.length-1}fieldIdForName(e){const t=this.fields.indexOf(e);return-1!==t?t:null}fieldNameForId(e){return this.fields[e]||null}idForNodeType(e,t){const r=W(e),n=Xe._malloc(r+1);G(e,n,r+1);const s=Xe._ts_language_symbol_for_name(this[0],n,r,t);return Xe._free(n),s||null}get nodeTypeCount(){return Xe._ts_language_symbol_count(this[0])}nodeTypeForId(e){const t=Xe._ts_language_symbol_name(this[0],e);return t?D(t):null}nodeTypeIsNamed(e){return!!Xe._ts_language_type_is_named_wasm(this[0],e)}nodeTypeIsVisible(e){return!!Xe._ts_language_type_is_visible_wasm(this[0],e)}query(e){const t=W(e),r=Xe._malloc(t+1);G(e,r,t+1);const n=Xe._ts_query_new(this[0],r,t,at,at+Ye);if(!n){const t=I(at+Ye,"i32"),n=D(r,I(at,"i32")).length,s=e.substr(n,100).split("\n")[0];let i,o=s.match(nt)[0];switch(t){case 2:i=new RangeError(`Bad node name '${o}'`);break;case 3:i=new RangeError(`Bad field name '${o}'`);break;case 4:i=new RangeError(`Bad capture name @${o}`);break;case 5:i=new TypeError(`Bad pattern structure at offset ${n}: '${s}'...`),o="";break;default:i=new SyntaxError(`Bad syntax at offset ${n}: '${s}'...`),o=""}throw i.index=n,i.length=o.length,Xe._free(r),i}const s=Xe._ts_query_string_count(n),i=Xe._ts_query_capture_count(n),o=Xe._ts_query_pattern_count(n),a=new Array(i),c=new Array(s);for(let e=0;e<i;e++){const t=Xe._ts_query_capture_name_for_id(n,e,at),r=I(at,"i32");a[e]=D(t,r)}for(let e=0;e<s;e++){const t=Xe._ts_query_string_value_for_id(n,e,at),r=I(at,"i32");c[e]=D(t,r)}const u=new Array(o),l=new Array(o),f=new Array(o),p=new Array(o),h=new Array(o);for(let e=0;e<o;e++){const t=Xe._ts_query_predicates_for_pattern(n,e,at),r=I(at,"i32");p[e]=[],h[e]=[];const s=[];let i=t;for(let t=0;t<r;t++){const t=I(i,"i32"),r=I(i+=Ye,"i32");if(i+=Ye,1===t)s.push({type:"capture",name:a[r]});else if(2===t)s.push({type:"string",value:c[r]});else if(s.length>0){if("string"!==s[0].type)throw new Error("Predicates must begin with a literal value");const t=s[0].value;let r=!0;switch(t){case"not-eq?":r=!1;case"eq?":if(3!==s.length)throw new Error("Wrong number of arguments to `#eq?` predicate. Expected 2, got "+(s.length-1));if("capture"!==s[1].type)throw new Error(`First argument of \`#eq?\` predicate must be a capture. Got "${s[1].value}"`);if("capture"===s[2].type){const t=s[1].name,n=s[2].name;h[e].push((function(e){let s,i;for(const r of e)r.name===t&&(s=r.node),r.name===n&&(i=r.node);return void 0===s||void 0===i||s.text===i.text===r}))}else{const t=s[1].name,n=s[2].value;h[e].push((function(e){for(const s of e)if(s.name===t)return s.node.text===n===r;return!0}))}break;case"not-match?":r=!1;case"match?":if(3!==s.length)throw new Error(`Wrong number of arguments to \`#match?\` predicate. Expected 2, got ${s.length-1}.`);if("capture"!==s[1].type)throw new Error(`First argument of \`#match?\` predicate must be a capture. Got "${s[1].value}".`);if("string"!==s[2].type)throw new Error(`Second argument of \`#match?\` predicate must be a string. Got @${s[2].value}.`);const n=s[1].name,i=new RegExp(s[2].value);h[e].push((function(e){for(const t of e)if(t.name===n)return i.test(t.node.text)===r;return!0}));break;case"set!":if(s.length<2||s.length>3)throw new Error(`Wrong number of arguments to \`#set!\` predicate. Expected 1 or 2. Got ${s.length-1}.`);if(s.some((e=>"string"!==e.type)))throw new Error('Arguments to `#set!` predicate must be a strings.".');u[e]||(u[e]={}),u[e][s[1].value]=s[2]?s[2].value:null;break;case"is?":case"is-not?":if(s.length<2||s.length>3)throw new Error(`Wrong number of arguments to \`#${t}\` predicate. Expected 1 or 2. Got ${s.length-1}.`);if(s.some((e=>"string"!==e.type)))throw new Error(`Arguments to \`#${t}\` predicate must be a strings.".`);const o="is?"===t?l:f;o[e]||(o[e]={}),o[e][s[1].value]=s[2]?s[2].value:null;break;default:p[e].push({operator:t,operands:s.slice(1)})}s.length=0}}Object.freeze(u[e]),Object.freeze(l[e]),Object.freeze(f[e])}return Xe._free(r),new dt(Je,n,a,h,p,Object.freeze(u),Object.freeze(l),Object.freeze(f))}static load(e){let t;if(e instanceof Uint8Array)t=Promise.resolve(e);else{const n=e;if("undefined"!=typeof process&&process.versions&&process.versions.node){const e=r(3078);t=Promise.resolve(e.readFileSync(n))}else t=fetch(n).then((e=>e.arrayBuffer().then((t=>{if(e.ok)return new Uint8Array(t);{const r=new TextDecoder("utf-8").decode(t);throw new Error(`Language.load failed with status ${e.status}.\n\n${r}`)}}))))}const n="function"==typeof loadSideModule?loadSideModule:Oe;return t.then((e=>n(e,{loadAsync:!0}))).then((e=>{const t=Object.keys(e),r=t.find((e=>st.test(e)&&!e.includes("external_scanner_")));r||console.log(`Couldn't find language function in WASM file. Symbols:\n${JSON.stringify(t,null,2)}`);const n=e[r]();return new _t(Je,n)}))}}class dt{constructor(e,t,r,n,s,i,o,a){gt(e),this[0]=t,this.captureNames=r,this.textPredicates=n,this.predicates=s,this.setProperties=i,this.assertedProperties=o,this.refutedProperties=a,this.exceededMatchLimit=!1}delete(){Xe._ts_query_delete(this[0]),this[0]=0}matches(e,t,r,n){t||(t=rt),r||(r=rt),n||(n={});let s=n.matchLimit;if(void 0===s)s=0;else if("number"!=typeof s)throw new Error("Arguments must be numbers");bt(e),Xe._ts_query_matches_wasm(this[0],e.tree[0],t.row,t.column,r.row,r.column,s);const i=I(at,"i32"),o=I(at+Ye,"i32"),a=I(at+2*Ye,"i32"),c=new Array(i);this.exceededMatchLimit=!!a;let u=0,l=o;for(let t=0;t<i;t++){const r=I(l,"i32"),n=I(l+=Ye,"i32");l+=Ye;const s=new Array(n);if(l=yt(this,e.tree,l,s),this.textPredicates[r].every((e=>e(s)))){c[u++]={pattern:r,captures:s};const e=this.setProperties[r];e&&(c[t].setProperties=e);const n=this.assertedProperties[r];n&&(c[t].assertedProperties=n);const i=this.refutedProperties[r];i&&(c[t].refutedProperties=i)}}return c.length=u,Xe._free(o),c}captures(e,t,r,n){t||(t=rt),r||(r=rt),n||(n={});let s=n.matchLimit;if(void 0===s)s=0;else if("number"!=typeof s)throw new Error("Arguments must be numbers");bt(e),Xe._ts_query_captures_wasm(this[0],e.tree[0],t.row,t.column,r.row,r.column,s);const i=I(at,"i32"),o=I(at+Ye,"i32"),a=I(at+2*Ye,"i32"),c=[];this.exceededMatchLimit=!!a;const u=[];let l=o;for(let t=0;t<i;t++){const t=I(l,"i32"),r=I(l+=Ye,"i32"),n=I(l+=Ye,"i32");if(l+=Ye,u.length=r,l=yt(this,e.tree,l,u),this.textPredicates[t].every((e=>e(u)))){const e=u[n],r=this.setProperties[t];r&&(e.setProperties=r);const s=this.assertedProperties[t];s&&(e.assertedProperties=s);const i=this.refutedProperties[t];i&&(e.refutedProperties=i),c.push(e)}}return Xe._free(o),c}predicatesForPattern(e){return this.predicates[e]}didExceedMatchLimit(){return this.exceededMatchLimit}}function mt(e,t,r){const n=r-t;let s=e.textCallback(t,null,r);for(t+=s.length;t<r;){const n=e.textCallback(t,null,r);if(!(n&&n.length>0))break;t+=n.length,s+=n}return t>r&&(s=s.slice(0,n)),s}function yt(e,t,r,n){for(let s=0,i=n.length;s<i;s++){const i=I(r,"i32"),o=wt(t,r+=Ye);r+=Qe,n[s]={name:e.captureNames[i],node:o}}return r}function gt(e){if(e!==Je)throw new Error("Illegal constructor")}function vt(e){return e&&"number"==typeof e.row&&"number"==typeof e.column}function bt(e){let t=at;M(t,e.id,"i32"),M(t+=Ye,e.startIndex,"i32"),M(t+=Ye,e.startPosition.row,"i32"),M(t+=Ye,e.startPosition.column,"i32"),M(t+=Ye,e[0],"i32")}function wt(e,t=at){const r=I(t,"i32");if(0===r)return null;const n=I(t+=Ye,"i32"),s=I(t+=Ye,"i32"),i=I(t+=Ye,"i32"),o=I(t+=Ye,"i32"),a=new pt(Je,e);return a.id=r,a.startIndex=n,a.startPosition={row:s,column:i},a[0]=o,a}function Et(e,t=at){M(t+0*Ye,e[0],"i32"),M(t+1*Ye,e[1],"i32"),M(t+2*Ye,e[2],"i32")}function xt(e){e[0]=I(at+0*Ye,"i32"),e[1]=I(at+1*Ye,"i32"),e[2]=I(at+2*Ye,"i32")}function jt(e,t){M(e,t.row,"i32"),M(e+Ye,t.column,"i32")}function St(e){return{row:I(e,"i32"),column:I(e+Ye,"i32")}}function At(e,t){jt(e,t.startPosition),jt(e+=et,t.endPosition),M(e+=et,t.startIndex,"i32"),M(e+=Ye,t.endIndex,"i32"),e+=Ye}function Ot(e){const t={};return t.startPosition=St(e),e+=et,t.endPosition=St(e),e+=et,t.startIndex=I(e,"i32"),e+=Ye,t.endIndex=I(e,"i32"),t}for(const e of Object.getOwnPropertyNames(lt.prototype))Object.defineProperty(i.prototype,e,{value:lt.prototype[e],enumerable:!1,writable:!1});i.Language=_t,n.onRuntimeInitialized=()=>{lt.init(),t()}})))}}return i}();e.exports=s},3078:()=>{},4142:()=>{},1212:(e,t,r)=>{e.exports=r(8411)},7202:(e,t,r)=>{"use strict";var n=r(239);e.exports=n},6656:(e,t,r)=>{"use strict";r(484),r(5695),r(6138),r(9828),r(3832);var n=r(8099);e.exports=n.AggregateError},8411:(e,t,r)=>{"use strict";e.exports=r(8337)},8337:(e,t,r)=>{"use strict";r(5442);var n=r(7202);e.exports=n},814:(e,t,r)=>{"use strict";var n=r(2769),s=r(459),i=TypeError;e.exports=function(e){if(n(e))return e;throw new i(s(e)+" is not a function")}},1966:(e,t,r)=>{"use strict";var n=r(2937),s=String,i=TypeError;e.exports=function(e){if(n(e))return e;throw new i("Can't set "+s(e)+" as a prototype")}},8137:e=>{"use strict";e.exports=function(){}},7235:(e,t,r)=>{"use strict";var n=r(262),s=String,i=TypeError;e.exports=function(e){if(n(e))return e;throw new i(s(e)+" is not an object")}},1005:(e,t,r)=>{"use strict";var n=r(3273),s=r(4574),i=r(8130),o=function(e){return function(t,r,o){var a,c=n(t),u=i(c),l=s(o,u);if(e&&r!=r){for(;u>l;)if((a=c[l++])!=a)return!0}else for(;u>l;l++)if((e||l in c)&&c[l]===r)return e||l||0;return!e&&-1}};e.exports={includes:o(!0),indexOf:o(!1)}},9932:(e,t,r)=>{"use strict";var n=r(6100),s=n({}.toString),i=n("".slice);e.exports=function(e){return i(s(e),8,-1)}},8407:(e,t,r)=>{"use strict";var n=r(4904),s=r(2769),i=r(9932),o=r(8655)("toStringTag"),a=Object,c="Arguments"===i(function(){return arguments}());e.exports=n?i:function(e){var t,r,n;return void 0===e?"Undefined":null===e?"Null":"string"==typeof(r=function(e,t){try{return e[t]}catch(e){}}(t=a(e),o))?r:c?i(t):"Object"===(n=i(t))&&s(t.callee)?"Arguments":n}},7464:(e,t,r)=>{"use strict";var n=r(701),s=r(5691),i=r(4543),o=r(9989);e.exports=function(e,t,r){for(var a=s(t),c=o.f,u=i.f,l=0;l<a.length;l++){var f=a[l];n(e,f)||r&&n(r,f)||c(e,f,u(t,f))}}},2871:(e,t,r)=>{"use strict";var n=r(1203);e.exports=!n((function(){function e(){}return e.prototype.constructor=null,Object.getPrototypeOf(new e)!==e.prototype}))},877:e=>{"use strict";e.exports=function(e,t){return{value:e,done:t}}},3999:(e,t,r)=>{"use strict";var n=r(5024),s=r(9989),i=r(480);e.exports=n?function(e,t,r){return s.f(e,t,i(1,r))}:function(e,t,r){return e[t]=r,e}},480:e=>{"use strict";e.exports=function(e,t){return{enumerable:!(1&e),configurable:!(2&e),writable:!(4&e),value:t}}},3508:(e,t,r)=>{"use strict";var n=r(3999);e.exports=function(e,t,r,s){return s&&s.enumerable?e[t]=r:n(e,t,r),e}},7525:(e,t,r)=>{"use strict";var n=r(1063),s=Object.defineProperty;e.exports=function(e,t){try{s(n,e,{value:t,configurable:!0,writable:!0})}catch(r){n[e]=t}return t}},5024:(e,t,r)=>{"use strict";var n=r(1203);e.exports=!n((function(){return 7!==Object.defineProperty({},1,{get:function(){return 7}})[1]}))},9619:(e,t,r)=>{"use strict";var n=r(1063),s=r(262),i=n.document,o=s(i)&&s(i.createElement);e.exports=function(e){return o?i.createElement(e):{}}},1100:e=>{"use strict";e.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:e=>{"use strict";e.exports="undefined"!=typeof navigator&&String(navigator.userAgent)||""},4432:(e,t,r)=>{"use strict";var n,s,i=r(1063),o=r(7868),a=i.process,c=i.Deno,u=a&&a.versions||c&&c.version,l=u&&u.v8;l&&(s=(n=l.split("."))[0]>0&&n[0]<4?1:+(n[0]+n[1])),!s&&o&&(!(n=o.match(/Edge\/(\d+)/))||n[1]>=74)&&(n=o.match(/Chrome\/(\d+)/))&&(s=+n[1]),e.exports=s},9683:e=>{"use strict";e.exports=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"]},3885:(e,t,r)=>{"use strict";var n=r(6100),s=Error,i=n("".replace),o=String(new s("zxcasd").stack),a=/\n\s*at [^:]*:[^\n]*/,c=a.test(o);e.exports=function(e,t){if(c&&"string"==typeof e&&!s.prepareStackTrace)for(;t--;)e=i(e,a,"");return e}},4279:(e,t,r)=>{"use strict";var n=r(3999),s=r(3885),i=r(5791),o=Error.captureStackTrace;e.exports=function(e,t,r,a){i&&(o?o(e,t):n(e,"stack",s(r,a)))}},5791:(e,t,r)=>{"use strict";var n=r(1203),s=r(480);e.exports=!n((function(){var e=new Error("a");return!("stack"in e)||(Object.defineProperty(e,"stack",s(1,7)),7!==e.stack)}))},9098:(e,t,r)=>{"use strict";var n=r(1063),s=r(7013),i=r(9344),o=r(2769),a=r(4543).f,c=r(8696),u=r(8099),l=r(4572),f=r(3999),p=r(701),h=function(e){var t=function(r,n,i){if(this instanceof t){switch(arguments.length){case 0:return new e;case 1:return new e(r);case 2:return new e(r,n)}return new e(r,n,i)}return s(e,this,arguments)};return t.prototype=e.prototype,t};e.exports=function(e,t){var r,s,_,d,m,y,g,v,b,w=e.target,E=e.global,x=e.stat,j=e.proto,S=E?n:x?n[w]:n[w]&&n[w].prototype,A=E?u:u[w]||f(u,w,{})[w],O=A.prototype;for(d in t)s=!(r=c(E?d:w+(x?".":"#")+d,e.forced))&&S&&p(S,d),y=A[d],s&&(g=e.dontCallGetSet?(b=a(S,d))&&b.value:S[d]),m=s&&g?g:t[d],(r||j||typeof y!=typeof m)&&(v=e.bind&&s?l(m,n):e.wrap&&s?h(m):j&&o(m)?i(m):m,(e.sham||m&&m.sham||y&&y.sham)&&f(v,"sham",!0),f(A,d,v),j&&(p(u,_=w+"Prototype")||f(u,_,{}),f(u[_],d,m),e.real&&O&&(r||!O[d])&&f(O,d,m)))}},1203:e=>{"use strict";e.exports=function(e){try{return!!e()}catch(e){return!0}}},7013:(e,t,r)=>{"use strict";var n=r(1780),s=Function.prototype,i=s.apply,o=s.call;e.exports="object"==typeof Reflect&&Reflect.apply||(n?o.bind(i):function(){return o.apply(i,arguments)})},4572:(e,t,r)=>{"use strict";var n=r(9344),s=r(814),i=r(1780),o=n(n.bind);e.exports=function(e,t){return s(e),void 0===t?e:i?o(e,t):function(){return e.apply(t,arguments)}}},1780:(e,t,r)=>{"use strict";var n=r(1203);e.exports=!n((function(){var e=function(){}.bind();return"function"!=typeof e||e.hasOwnProperty("prototype")}))},4713:(e,t,r)=>{"use strict";var n=r(1780),s=Function.prototype.call;e.exports=n?s.bind(s):function(){return s.apply(s,arguments)}},3410:(e,t,r)=>{"use strict";var n=r(5024),s=r(701),i=Function.prototype,o=n&&Object.getOwnPropertyDescriptor,a=s(i,"name"),c=a&&"something"===function(){}.name,u=a&&(!n||n&&o(i,"name").configurable);e.exports={EXISTS:a,PROPER:c,CONFIGURABLE:u}},3574:(e,t,r)=>{"use strict";var n=r(6100),s=r(814);e.exports=function(e,t,r){try{return n(s(Object.getOwnPropertyDescriptor(e,t)[r]))}catch(e){}}},9344:(e,t,r)=>{"use strict";var n=r(9932),s=r(6100);e.exports=function(e){if("Function"===n(e))return s(e)}},6100:(e,t,r)=>{"use strict";var n=r(1780),s=Function.prototype,i=s.call,o=n&&s.bind.bind(i,i);e.exports=n?o:function(e){return function(){return i.apply(e,arguments)}}},1003:(e,t,r)=>{"use strict";var n=r(8099),s=r(1063),i=r(2769),o=function(e){return i(e)?e:void 0};e.exports=function(e,t){return arguments.length<2?o(n[e])||o(s[e]):n[e]&&n[e][t]||s[e]&&s[e][t]}},967:(e,t,r)=>{"use strict";var n=r(8407),s=r(4674),i=r(3057),o=r(6625),a=r(8655)("iterator");e.exports=function(e){if(!i(e))return s(e,a)||s(e,"@@iterator")||o[n(e)]}},1613:(e,t,r)=>{"use strict";var n=r(4713),s=r(814),i=r(7235),o=r(459),a=r(967),c=TypeError;e.exports=function(e,t){var r=arguments.length<2?a(e):t;if(s(r))return i(n(r,e));throw new c(o(e)+" is not iterable")}},4674:(e,t,r)=>{"use strict";var n=r(814),s=r(3057);e.exports=function(e,t){var r=e[t];return s(r)?void 0:n(r)}},1063:function(e,t,r){"use strict";var n=function(e){return e&&e.Math===Math&&e};e.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:(e,t,r)=>{"use strict";var n=r(6100),s=r(2137),i=n({}.hasOwnProperty);e.exports=Object.hasOwn||function(e,t){return i(s(e),t)}},5241:e=>{"use strict";e.exports={}},3489:(e,t,r)=>{"use strict";var n=r(1003);e.exports=n("document","documentElement")},9665:(e,t,r)=>{"use strict";var n=r(5024),s=r(1203),i=r(9619);e.exports=!n&&!s((function(){return 7!==Object.defineProperty(i("div"),"a",{get:function(){return 7}}).a}))},1395:(e,t,r)=>{"use strict";var n=r(6100),s=r(1203),i=r(9932),o=Object,a=n("".split);e.exports=s((function(){return!o("z").propertyIsEnumerable(0)}))?function(e){return"String"===i(e)?a(e,""):o(e)}:o},3507:(e,t,r)=>{"use strict";var n=r(2769),s=r(262),i=r(3491);e.exports=function(e,t,r){var o,a;return i&&n(o=t.constructor)&&o!==r&&s(a=o.prototype)&&a!==r.prototype&&i(e,a),e}},8148:(e,t,r)=>{"use strict";var n=r(262),s=r(3999);e.exports=function(e,t){n(t)&&"cause"in t&&s(e,"cause",t.cause)}},8417:(e,t,r)=>{"use strict";var n,s,i,o=r(1314),a=r(1063),c=r(262),u=r(3999),l=r(701),f=r(3753),p=r(4275),h=r(5241),_="Object already initialized",d=a.TypeError,m=a.WeakMap;if(o||f.state){var y=f.state||(f.state=new m);y.get=y.get,y.has=y.has,y.set=y.set,n=function(e,t){if(y.has(e))throw new d(_);return t.facade=e,y.set(e,t),t},s=function(e){return y.get(e)||{}},i=function(e){return y.has(e)}}else{var g=p("state");h[g]=!0,n=function(e,t){if(l(e,g))throw new d(_);return t.facade=e,u(e,g,t),t},s=function(e){return l(e,g)?e[g]:{}},i=function(e){return l(e,g)}}e.exports={set:n,get:s,has:i,enforce:function(e){return i(e)?s(e):n(e,{})},getterFor:function(e){return function(t){var r;if(!c(t)||(r=s(t)).type!==e)throw new d("Incompatible receiver, "+e+" required");return r}}}},2877:(e,t,r)=>{"use strict";var n=r(8655),s=r(6625),i=n("iterator"),o=Array.prototype;e.exports=function(e){return void 0!==e&&(s.Array===e||o[i]===e)}},2769:e=>{"use strict";var t="object"==typeof document&&document.all;e.exports=void 0===t&&void 0!==t?function(e){return"function"==typeof e||e===t}:function(e){return"function"==typeof e}},8696:(e,t,r)=>{"use strict";var n=r(1203),s=r(2769),i=/#|\.prototype\./,o=function(e,t){var r=c[a(e)];return r===l||r!==u&&(s(t)?n(t):!!t)},a=o.normalize=function(e){return String(e).replace(i,".").toLowerCase()},c=o.data={},u=o.NATIVE="N",l=o.POLYFILL="P";e.exports=o},3057:e=>{"use strict";e.exports=function(e){return null==e}},262:(e,t,r)=>{"use strict";var n=r(2769);e.exports=function(e){return"object"==typeof e?null!==e:n(e)}},2937:(e,t,r)=>{"use strict";var n=r(262);e.exports=function(e){return n(e)||null===e}},4871:e=>{"use strict";e.exports=!0},6281:(e,t,r)=>{"use strict";var n=r(1003),s=r(2769),i=r(4317),o=r(7460),a=Object;e.exports=o?function(e){return"symbol"==typeof e}:function(e){var t=n("Symbol");return s(t)&&i(t.prototype,a(e))}},208:(e,t,r)=>{"use strict";var n=r(4572),s=r(4713),i=r(7235),o=r(459),a=r(2877),c=r(8130),u=r(4317),l=r(1613),f=r(967),p=r(1743),h=TypeError,_=function(e,t){this.stopped=e,this.result=t},d=_.prototype;e.exports=function(e,t,r){var m,y,g,v,b,w,E,x=r&&r.that,j=!(!r||!r.AS_ENTRIES),S=!(!r||!r.IS_RECORD),A=!(!r||!r.IS_ITERATOR),O=!(!r||!r.INTERRUPTED),P=n(t,x),k=function(e){return m&&p(m,"normal",e),new _(!0,e)},M=function(e){return j?(i(e),O?P(e[0],e[1],k):P(e[0],e[1])):O?P(e,k):P(e)};if(S)m=e.iterator;else if(A)m=e;else{if(!(y=f(e)))throw new h(o(e)+" is not iterable");if(a(y)){for(g=0,v=c(e);v>g;g++)if((b=M(e[g]))&&u(d,b))return b;return new _(!1)}m=l(e,y)}for(w=S?e.next:m.next;!(E=s(w,m)).done;){try{b=M(E.value)}catch(e){p(m,"throw",e)}if("object"==typeof b&&b&&u(d,b))return b}return new _(!1)}},1743:(e,t,r)=>{"use strict";var n=r(4713),s=r(7235),i=r(4674);e.exports=function(e,t,r){var o,a;s(e);try{if(!(o=i(e,"return"))){if("throw"===t)throw r;return r}o=n(o,e)}catch(e){a=!0,o=e}if("throw"===t)throw r;if(a)throw o;return s(o),r}},1926:(e,t,r)=>{"use strict";var n=r(2621).IteratorPrototype,s=r(5780),i=r(480),o=r(1811),a=r(6625),c=function(){return this};e.exports=function(e,t,r,u){var l=t+" Iterator";return e.prototype=s(n,{next:i(+!u,r)}),o(e,l,!1,!0),a[l]=c,e}},164:(e,t,r)=>{"use strict";var n=r(9098),s=r(4713),i=r(4871),o=r(3410),a=r(2769),c=r(1926),u=r(3671),l=r(3491),f=r(1811),p=r(3999),h=r(3508),_=r(8655),d=r(6625),m=r(2621),y=o.PROPER,g=o.CONFIGURABLE,v=m.IteratorPrototype,b=m.BUGGY_SAFARI_ITERATORS,w=_("iterator"),E="keys",x="values",j="entries",S=function(){return this};e.exports=function(e,t,r,o,_,m,A){c(r,t,o);var O,P,k,M=function(e){if(e===_&&C)return C;if(!b&&e&&e in T)return T[e];switch(e){case E:case x:case j:return function(){return new r(this,e)}}return function(){return new r(this)}},I=t+" Iterator",N=!1,T=e.prototype,R=T[w]||T["@@iterator"]||_&&T[_],C=!b&&R||M(_),F="Array"===t&&T.entries||R;if(F&&(O=u(F.call(new e)))!==Object.prototype&&O.next&&(i||u(O)===v||(l?l(O,v):a(O[w])||h(O,w,S)),f(O,I,!0,!0),i&&(d[I]=S)),y&&_===x&&R&&R.name!==x&&(!i&&g?p(T,"name",x):(N=!0,C=function(){return s(R,this)})),_)if(P={values:M(x),keys:m?C:M(E),entries:M(j)},A)for(k in P)(b||N||!(k in T))&&h(T,k,P[k]);else n({target:t,proto:!0,forced:b||N},P);return i&&!A||T[w]===C||h(T,w,C,{name:_}),d[t]=C,P}},2621:(e,t,r)=>{"use strict";var n,s,i,o=r(1203),a=r(2769),c=r(262),u=r(5780),l=r(3671),f=r(3508),p=r(8655),h=r(4871),_=p("iterator"),d=!1;[].keys&&("next"in(i=[].keys())?(s=l(l(i)))!==Object.prototype&&(n=s):d=!0),!c(n)||o((function(){var e={};return n[_].call(e)!==e}))?n={}:h&&(n=u(n)),a(n[_])||f(n,_,(function(){return this})),e.exports={IteratorPrototype:n,BUGGY_SAFARI_ITERATORS:d}},6625:e=>{"use strict";e.exports={}},8130:(e,t,r)=>{"use strict";var n=r(8146);e.exports=function(e){return n(e.length)}},5777:e=>{"use strict";var t=Math.ceil,r=Math.floor;e.exports=Math.trunc||function(e){var n=+e;return(n>0?r:t)(n)}},4879:(e,t,r)=>{"use strict";var n=r(1139);e.exports=function(e,t){return void 0===e?arguments.length<2?"":t:n(e)}},5780:(e,t,r)=>{"use strict";var n,s=r(7235),i=r(7389),o=r(9683),a=r(5241),c=r(3489),u=r(9619),l=r(4275),f="prototype",p="script",h=l("IE_PROTO"),_=function(){},d=function(e){return"<"+p+">"+e+"</"+p+">"},m=function(e){e.write(d("")),e.close();var t=e.parentWindow.Object;return e=null,t},y=function(){try{n=new ActiveXObject("htmlfile")}catch(e){}var e,t,r;y="undefined"!=typeof document?document.domain&&n?m(n):(t=u("iframe"),r="java"+p+":",t.style.display="none",c.appendChild(t),t.src=String(r),(e=t.contentWindow.document).open(),e.write(d("document.F=Object")),e.close(),e.F):m(n);for(var s=o.length;s--;)delete y[f][o[s]];return y()};a[h]=!0,e.exports=Object.create||function(e,t){var r;return null!==e?(_[f]=s(e),r=new _,_[f]=null,r[h]=e):r=y(),void 0===t?r:i.f(r,t)}},7389:(e,t,r)=>{"use strict";var n=r(5024),s=r(1330),i=r(9989),o=r(7235),a=r(3273),c=r(8364);t.f=n&&!s?Object.defineProperties:function(e,t){o(e);for(var r,n=a(t),s=c(t),u=s.length,l=0;u>l;)i.f(e,r=s[l++],n[r]);return e}},9989:(e,t,r)=>{"use strict";var n=r(5024),s=r(9665),i=r(1330),o=r(7235),a=r(5341),c=TypeError,u=Object.defineProperty,l=Object.getOwnPropertyDescriptor,f="enumerable",p="configurable",h="writable";t.f=n?i?function(e,t,r){if(o(e),t=a(t),o(r),"function"==typeof e&&"prototype"===t&&"value"in r&&h in r&&!r[h]){var n=l(e,t);n&&n[h]&&(e[t]=r.value,r={configurable:p in r?r[p]:n[p],enumerable:f in r?r[f]:n[f],writable:!1})}return u(e,t,r)}:u:function(e,t,r){if(o(e),t=a(t),o(r),s)try{return u(e,t,r)}catch(e){}if("get"in r||"set"in r)throw new c("Accessors not supported");return"value"in r&&(e[t]=r.value),e}},4543:(e,t,r)=>{"use strict";var n=r(5024),s=r(4713),i=r(7161),o=r(480),a=r(3273),c=r(5341),u=r(701),l=r(9665),f=Object.getOwnPropertyDescriptor;t.f=n?f:function(e,t){if(e=a(e),t=c(t),l)try{return f(e,t)}catch(e){}if(u(e,t))return o(!s(i.f,e,t),e[t])}},5116:(e,t,r)=>{"use strict";var n=r(8600),s=r(9683).concat("length","prototype");t.f=Object.getOwnPropertyNames||function(e){return n(e,s)}},7313:(e,t)=>{"use strict";t.f=Object.getOwnPropertySymbols},3671:(e,t,r)=>{"use strict";var n=r(701),s=r(2769),i=r(2137),o=r(4275),a=r(2871),c=o("IE_PROTO"),u=Object,l=u.prototype;e.exports=a?u.getPrototypeOf:function(e){var t=i(e);if(n(t,c))return t[c];var r=t.constructor;return s(r)&&t instanceof r?r.prototype:t instanceof u?l:null}},4317:(e,t,r)=>{"use strict";var n=r(6100);e.exports=n({}.isPrototypeOf)},8600:(e,t,r)=>{"use strict";var n=r(6100),s=r(701),i=r(3273),o=r(1005).indexOf,a=r(5241),c=n([].push);e.exports=function(e,t){var r,n=i(e),u=0,l=[];for(r in n)!s(a,r)&&s(n,r)&&c(l,r);for(;t.length>u;)s(n,r=t[u++])&&(~o(l,r)||c(l,r));return l}},8364:(e,t,r)=>{"use strict";var n=r(8600),s=r(9683);e.exports=Object.keys||function(e){return n(e,s)}},7161:(e,t)=>{"use strict";var r={}.propertyIsEnumerable,n=Object.getOwnPropertyDescriptor,s=n&&!r.call({1:2},1);t.f=s?function(e){var t=n(this,e);return!!t&&t.enumerable}:r},3491:(e,t,r)=>{"use strict";var n=r(3574),s=r(7235),i=r(1966);e.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var e,t=!1,r={};try{(e=n(Object.prototype,"__proto__","set"))(r,[]),t=r instanceof Array}catch(e){}return function(r,n){return s(r),i(n),t?e(r,n):r.__proto__=n,r}}():void 0)},9559:(e,t,r)=>{"use strict";var n=r(4904),s=r(8407);e.exports=n?{}.toString:function(){return"[object "+s(this)+"]"}},9258:(e,t,r)=>{"use strict";var n=r(4713),s=r(2769),i=r(262),o=TypeError;e.exports=function(e,t){var r,a;if("string"===t&&s(r=e.toString)&&!i(a=n(r,e)))return a;if(s(r=e.valueOf)&&!i(a=n(r,e)))return a;if("string"!==t&&s(r=e.toString)&&!i(a=n(r,e)))return a;throw new o("Can't convert object to primitive value")}},5691:(e,t,r)=>{"use strict";var n=r(1003),s=r(6100),i=r(5116),o=r(7313),a=r(7235),c=s([].concat);e.exports=n("Reflect","ownKeys")||function(e){var t=i.f(a(e)),r=o.f;return r?c(t,r(e)):t}},8099:e=>{"use strict";e.exports={}},5516:(e,t,r)=>{"use strict";var n=r(9989).f;e.exports=function(e,t,r){r in e||n(e,r,{configurable:!0,get:function(){return t[r]},set:function(e){t[r]=e}})}},5426:(e,t,r)=>{"use strict";var n=r(3057),s=TypeError;e.exports=function(e){if(n(e))throw new s("Can't call method on "+e);return e}},1811:(e,t,r)=>{"use strict";var n=r(4904),s=r(9989).f,i=r(3999),o=r(701),a=r(9559),c=r(8655)("toStringTag");e.exports=function(e,t,r,u){var l=r?e:e&&e.prototype;l&&(o(l,c)||s(l,c,{configurable:!0,value:t}),u&&!n&&i(l,"toString",a))}},4275:(e,t,r)=>{"use strict";var n=r(8141),s=r(1268),i=n("keys");e.exports=function(e){return i[e]||(i[e]=s(e))}},3753:(e,t,r)=>{"use strict";var n=r(1063),s=r(7525),i="__core-js_shared__",o=n[i]||s(i,{});e.exports=o},8141:(e,t,r)=>{"use strict";var n=r(4871),s=r(3753);(e.exports=function(e,t){return s[e]||(s[e]=void 0!==t?t:{})})("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:(e,t,r)=>{"use strict";var n=r(6100),s=r(9903),i=r(1139),o=r(5426),a=n("".charAt),c=n("".charCodeAt),u=n("".slice),l=function(e){return function(t,r){var n,l,f=i(o(t)),p=s(r),h=f.length;return p<0||p>=h?e?"":void 0:(n=c(f,p))<55296||n>56319||p+1===h||(l=c(f,p+1))<56320||l>57343?e?a(f,p):n:e?u(f,p,p+2):l-56320+(n-55296<<10)+65536}};e.exports={codeAt:l(!1),charAt:l(!0)}},4603:(e,t,r)=>{"use strict";var n=r(4432),s=r(1203),i=r(1063).String;e.exports=!!Object.getOwnPropertySymbols&&!s((function(){var e=Symbol("symbol detection");return!i(e)||!(Object(e)instanceof Symbol)||!Symbol.sham&&n&&n<41}))},4574:(e,t,r)=>{"use strict";var n=r(9903),s=Math.max,i=Math.min;e.exports=function(e,t){var r=n(e);return r<0?s(r+t,0):i(r,t)}},3273:(e,t,r)=>{"use strict";var n=r(1395),s=r(5426);e.exports=function(e){return n(s(e))}},9903:(e,t,r)=>{"use strict";var n=r(5777);e.exports=function(e){var t=+e;return t!=t||0===t?0:n(t)}},8146:(e,t,r)=>{"use strict";var n=r(9903),s=Math.min;e.exports=function(e){var t=n(e);return t>0?s(t,9007199254740991):0}},2137:(e,t,r)=>{"use strict";var n=r(5426),s=Object;e.exports=function(e){return s(n(e))}},493:(e,t,r)=>{"use strict";var n=r(4713),s=r(262),i=r(6281),o=r(4674),a=r(9258),c=r(8655),u=TypeError,l=c("toPrimitive");e.exports=function(e,t){if(!s(e)||i(e))return e;var r,c=o(e,l);if(c){if(void 0===t&&(t="default"),r=n(c,e,t),!s(r)||i(r))return r;throw new u("Can't convert object to primitive value")}return void 0===t&&(t="number"),a(e,t)}},5341:(e,t,r)=>{"use strict";var n=r(493),s=r(6281);e.exports=function(e){var t=n(e,"string");return s(t)?t:t+""}},4904:(e,t,r)=>{"use strict";var n={};n[r(8655)("toStringTag")]="z",e.exports="[object z]"===String(n)},1139:(e,t,r)=>{"use strict";var n=r(8407),s=String;e.exports=function(e){if("Symbol"===n(e))throw new TypeError("Cannot convert a Symbol value to a string");return s(e)}},459:e=>{"use strict";var t=String;e.exports=function(e){try{return t(e)}catch(e){return"Object"}}},1268:(e,t,r)=>{"use strict";var n=r(6100),s=0,i=Math.random(),o=n(1..toString);e.exports=function(e){return"Symbol("+(void 0===e?"":e)+")_"+o(++s+i,36)}},7460:(e,t,r)=>{"use strict";var n=r(4603);e.exports=n&&!Symbol.sham&&"symbol"==typeof Symbol.iterator},1330:(e,t,r)=>{"use strict";var n=r(5024),s=r(1203);e.exports=n&&s((function(){return 42!==Object.defineProperty((function(){}),"prototype",{value:42,writable:!1}).prototype}))},1314:(e,t,r)=>{"use strict";var n=r(1063),s=r(2769),i=n.WeakMap;e.exports=s(i)&&/native code/.test(String(i))},8655:(e,t,r)=>{"use strict";var n=r(1063),s=r(8141),i=r(701),o=r(1268),a=r(4603),c=r(7460),u=n.Symbol,l=s("wks"),f=c?u.for||u:u&&u.withoutSetter||o;e.exports=function(e){return i(l,e)||(l[e]=a&&i(u,e)?u[e]:f("Symbol."+e)),l[e]}},6453:(e,t,r)=>{"use strict";var n=r(1003),s=r(701),i=r(3999),o=r(4317),a=r(3491),c=r(7464),u=r(5516),l=r(3507),f=r(4879),p=r(8148),h=r(4279),_=r(5024),d=r(4871);e.exports=function(e,t,r,m){var y="stackTraceLimit",g=m?2:1,v=e.split("."),b=v[v.length-1],w=n.apply(null,v);if(w){var E=w.prototype;if(!d&&s(E,"cause")&&delete E.cause,!r)return w;var x=n("Error"),j=t((function(e,t){var r=f(m?t:e,void 0),n=m?new w(e):new w;return void 0!==r&&i(n,"message",r),h(n,j,n.stack,2),this&&o(E,this)&&l(n,this,j),arguments.length>g&&p(n,arguments[g]),n}));if(j.prototype=E,"Error"!==b?a?a(j,x):c(j,x,{name:!0}):_&&y in w&&(u(j,w,y),u(j,w,"prepareStackTrace")),c(j,w),!d)try{E.name!==b&&i(E,"name",b),E.constructor=j}catch(e){}return j}}},6138:(e,t,r)=>{"use strict";var n=r(9098),s=r(1003),i=r(7013),o=r(1203),a=r(6453),c="AggregateError",u=s(c),l=!o((function(){return 1!==u([1]).errors[0]}))&&o((function(){return 7!==u([1],c,{cause:7}).cause}));n({global:!0,constructor:!0,arity:2,forced:l},{AggregateError:a(c,(function(e){return function(t,r){return i(e,this,arguments)}}),l,!0)})},3085:(e,t,r)=>{"use strict";var n=r(9098),s=r(4317),i=r(3671),o=r(3491),a=r(7464),c=r(5780),u=r(3999),l=r(480),f=r(8148),p=r(4279),h=r(208),_=r(4879),d=r(8655)("toStringTag"),m=Error,y=[].push,g=function(e,t){var r,n=s(v,this);o?r=o(new m,n?i(this):v):(r=n?this:c(v),u(r,d,"Error")),void 0!==t&&u(r,"message",_(t)),p(r,g,r.stack,1),arguments.length>2&&f(r,arguments[2]);var a=[];return h(e,y,{that:a}),u(r,"errors",a),r};o?o(g,m):a(g,m,{name:!0});var v=g.prototype=c(m.prototype,{constructor:l(1,g),message:l(1,""),name:l(1,"AggregateError")});n({global:!0,constructor:!0,arity:2},{AggregateError:g})},5695:(e,t,r)=>{"use strict";r(3085)},9828:(e,t,r)=>{"use strict";var n=r(3273),s=r(8137),i=r(6625),o=r(8417),a=r(9989).f,c=r(164),u=r(877),l=r(4871),f=r(5024),p="Array Iterator",h=o.set,_=o.getterFor(p);e.exports=c(Array,"Array",(function(e,t){h(this,{type:p,target:n(e),index:0,kind:t})}),(function(){var e=_(this),t=e.target,r=e.index++;if(!t||r>=t.length)return e.target=void 0,u(void 0,!0);switch(e.kind){case"keys":return u(r,!1);case"values":return u(t[r],!1)}return u([r,t[r]],!1)}),"values");var d=i.Arguments=i.Array;if(s("keys"),s("values"),s("entries"),!l&&f&&"values"!==d.name)try{a(d,"name",{value:"values"})}catch(e){}},484:(e,t,r)=>{"use strict";var n=r(9098),s=r(1063),i=r(7013),o=r(6453),a="WebAssembly",c=s[a],u=7!==new Error("e",{cause:7}).cause,l=function(e,t){var r={};r[e]=o(e,t,u),n({global:!0,constructor:!0,arity:1,forced:u},r)},f=function(e,t){if(c&&c[e]){var r={};r[e]=o(a+"."+e,t,u),n({target:a,stat:!0,constructor:!0,arity:1,forced:u},r)}};l("Error",(function(e){return function(t){return i(e,this,arguments)}})),l("EvalError",(function(e){return function(t){return i(e,this,arguments)}})),l("RangeError",(function(e){return function(t){return i(e,this,arguments)}})),l("ReferenceError",(function(e){return function(t){return i(e,this,arguments)}})),l("SyntaxError",(function(e){return function(t){return i(e,this,arguments)}})),l("TypeError",(function(e){return function(t){return i(e,this,arguments)}})),l("URIError",(function(e){return function(t){return i(e,this,arguments)}})),f("CompileError",(function(e){return function(t){return i(e,this,arguments)}})),f("LinkError",(function(e){return function(t){return i(e,this,arguments)}})),f("RuntimeError",(function(e){return function(t){return i(e,this,arguments)}}))},3832:(e,t,r)=>{"use strict";var n=r(5571).charAt,s=r(1139),i=r(8417),o=r(164),a=r(877),c="String Iterator",u=i.set,l=i.getterFor(c);o(String,"String",(function(e){u(this,{type:c,string:s(e),index:0})}),(function(){var e,t=l(this),r=t.string,s=t.index;return s>=r.length?a(void 0,!0):(e=n(r,s),t.index+=e.length,a(e,!1))}))},5442:(e,t,r)=>{"use strict";r(5695)},85:(e,t,r)=>{"use strict";r(9828);var n=r(1100),s=r(1063),i=r(1811),o=r(6625);for(var a in n)i(s[a],a),o[a]=o.Array},239:(e,t,r)=>{"use strict";r(5442);var n=r(6656);r(85),e.exports=n}},t={};function r(n){var s=t[n];if(void 0!==s)return s.exports;var i=t[n]={id:n,loaded:!1,exports:{}};return e[n].call(i.exports,i,i.exports,r),i.loaded=!0,i.exports}r.d=(e,t)=>{for(var n in t)r.o(t,n)&&!r.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},r.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),r.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),r.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},r.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),(()=>{var e;r.g.importScripts&&(e=r.g.location+"");var t=r.g.document;if(!e&&t&&(t.currentScript&&(e=t.currentScript.src),!e)){var n=t.getElementsByTagName("script");if(n.length)for(var s=n.length-1;s>-1&&(!e||!/^http(s?):/.test(e));)e=n[s--].src}if(!e)throw new Error("Automatic publicPath is not supported in this browser");e=e.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),r.p=e})();var n={};return(()=>{"use strict";r.r(n),r.d(n,{detect:()=>Ti,detectionRegExp:()=>Ni,mediaTypes:()=>Ii,namespace:()=>Ci,parse:()=>Ri});var e={};r.r(e),r.d(e,{hasElementSourceMap:()=>Yt,includesClasses:()=>er,includesSymbols:()=>Qt,isAnnotationElement:()=>Zt,isArrayElement:()=>Dt,isBooleanElement:()=>zt,isCommentElement:()=>Kt,isElement:()=>qt,isLinkElement:()=>Gt,isMemberElement:()=>Ut,isNullElement:()=>Vt,isNumberElement:()=>Lt,isObjectElement:()=>Bt,isParseResultElement:()=>Ht,isPrimitiveElement:()=>Jt,isRefElement:()=>Wt,isSourceMapElement:()=>Xt,isStringElement:()=>$t});var t={};function s(e){return null!=e&&"object"==typeof e&&!0===e["@@functional/placeholder"]}function i(e){return function t(r){return 0===arguments.length||s(r)?t:e.apply(this,arguments)}}function o(e){return function t(r,n){switch(arguments.length){case 0:return t;case 1:return s(r)?t:i((function(t){return e(r,t)}));default:return s(r)&&s(n)?t:s(r)?i((function(t){return e(t,n)})):s(n)?i((function(t){return e(r,t)})):e(r,n)}}}function a(e){return function t(r,n,a){switch(arguments.length){case 0:return t;case 1:return s(r)?t:o((function(t,n){return e(r,t,n)}));case 2:return s(r)&&s(n)?t:s(r)?o((function(t,r){return e(t,n,r)})):s(n)?o((function(t,n){return e(r,t,n)})):i((function(t){return e(r,n,t)}));default:return s(r)&&s(n)&&s(a)?t:s(r)&&s(n)?o((function(t,r){return e(t,r,a)})):s(r)&&s(a)?o((function(t,r){return e(t,n,r)})):s(n)&&s(a)?o((function(t,n){return e(r,t,n)})):s(r)?i((function(t){return e(t,n,a)})):s(n)?i((function(t){return e(r,t,a)})):s(a)?i((function(t){return e(r,n,t)})):e(r,n,a)}}}r.r(t),r.d(t,{isInfoElement:()=>_i,isMainElement:()=>hi,isPrincipleElement:()=>di,isRequirementElement:()=>mi,isRequirementLevelElement:()=>yi,isScenarioElement:()=>gi,isStandardElement:()=>vi,isStandardIdentifierElement:()=>bi});const c=o((function(e,t){return null==t||t!=t?e:t})),u=Number.isInteger||function(e){return e<<0===e};function l(e){return"[object String]"===Object.prototype.toString.call(e)}const f=o((function(e,t){var r=e<0?t.length+e:e;return l(t)?t.charAt(r):t[r]}));const p=o((function(e,t){if(null!=t)return u(e)?f(e,t):t[e]}));const h=a((function(e,t,r){return c(e,p(t,r))}));var _=o((function(e,t){for(var r={},n={},s=0,i=e.length;s<i;)n[e[s]]=1,s+=1;for(var o in t)n.hasOwnProperty(o)||(r[o]=t[o]);return r}));const d=_;function m(e,t,r){for(var n=0,s=r.length;n<s;)t=e(t,r[n]),n+=1;return t}const y=Array.isArray||function(e){return null!=e&&e.length>=0&&"[object Array]"===Object.prototype.toString.call(e)};const g=i((function(e){return!!y(e)||!!e&&("object"==typeof e&&(!l(e)&&(0===e.length||e.length>0&&(e.hasOwnProperty(0)&&e.hasOwnProperty(e.length-1)))))}));var v="undefined"!=typeof Symbol?Symbol.iterator:"@@iterator";function b(e,t,r){return function(n,s,i){if(g(i))return e(n,s,i);if(null==i)return s;if("function"==typeof i["fantasy-land/reduce"])return t(n,s,i,"fantasy-land/reduce");if(null!=i[v])return r(n,s,i[v]());if("function"==typeof i.next)return r(n,s,i);if("function"==typeof i.reduce)return t(n,s,i,"reduce");throw new TypeError("reduce: list must be array or iterable")}}function w(e,t,r){for(var n=r.next();!n.done;)t=e(t,n.value),n=r.next();return t}function E(e,t,r,n){return r[n](e,t)}const x=b(m,E,w);function j(e,t,r){return function(){if(0===arguments.length)return r();var n=arguments[arguments.length-1];if(!y(n)){for(var s=0;s<e.length;){if("function"==typeof n[e[s]])return n[e[s]].apply(n,Array.prototype.slice.call(arguments,0,-1));s+=1}if(function(e){return null!=e&&"function"==typeof e["@@transducer/step"]}(n))return t.apply(null,Array.prototype.slice.call(arguments,0,-1))(n)}return r.apply(this,arguments)}}function S(e,t){for(var r=0,n=t.length,s=Array(n);r<n;)s[r]=e(t[r]),r+=1;return s}const A=function(){return this.xf["@@transducer/init"]()},O=function(e){return this.xf["@@transducer/result"](e)};var P=function(){function e(e,t){this.xf=t,this.f=e}return e.prototype["@@transducer/init"]=A,e.prototype["@@transducer/result"]=O,e.prototype["@@transducer/step"]=function(e,t){return this.xf["@@transducer/step"](e,this.f(t))},e}();const k=function(e){return function(t){return new P(e,t)}};function M(e,t){switch(e){case 0:return function(){return t.apply(this,arguments)};case 1:return function(e){return t.apply(this,arguments)};case 2:return function(e,r){return t.apply(this,arguments)};case 3:return function(e,r,n){return t.apply(this,arguments)};case 4:return function(e,r,n,s){return t.apply(this,arguments)};case 5:return function(e,r,n,s,i){return t.apply(this,arguments)};case 6:return function(e,r,n,s,i,o){return t.apply(this,arguments)};case 7:return function(e,r,n,s,i,o,a){return t.apply(this,arguments)};case 8:return function(e,r,n,s,i,o,a,c){return t.apply(this,arguments)};case 9:return function(e,r,n,s,i,o,a,c,u){return t.apply(this,arguments)};case 10:return function(e,r,n,s,i,o,a,c,u,l){return t.apply(this,arguments)};default:throw new Error("First argument to _arity must be a non-negative integer no greater than ten")}}function I(e,t,r){return function(){for(var n=[],i=0,o=e,a=0,c=!1;a<t.length||i<arguments.length;){var u;a<t.length&&(!s(t[a])||i>=arguments.length)?u=t[a]:(u=arguments[i],i+=1),n[a]=u,s(u)?c=!0:o-=1,a+=1}return!c&&o<=0?r.apply(this,n):M(Math.max(0,o),I(e,n,r))}}const N=o((function(e,t){return 1===e?i(t):M(e,I(e,[],t))}));function T(e,t){return Object.prototype.hasOwnProperty.call(t,e)}var R=Object.prototype.toString;const C=function(){return"[object Arguments]"===R.call(arguments)?function(e){return"[object Arguments]"===R.call(e)}:function(e){return T("callee",e)}}();var F=!{toString:null}.propertyIsEnumerable("toString"),q=["constructor","valueOf","isPrototypeOf","toString","propertyIsEnumerable","hasOwnProperty","toLocaleString"],$=function(){return arguments.propertyIsEnumerable("length")}(),L=function(e,t){for(var r=0;r<e.length;){if(e[r]===t)return!0;r+=1}return!1},V="function"!=typeof Object.keys||$?i((function(e){if(Object(e)!==e)return[];var t,r,n=[],s=$&&C(e);for(t in e)!T(t,e)||s&&"length"===t||(n[n.length]=t);if(F)for(r=q.length-1;r>=0;)T(t=q[r],e)&&!L(n,t)&&(n[n.length]=t),r-=1;return n})):i((function(e){return Object(e)!==e?[]:Object.keys(e)}));const z=V;const B=o(j(["fantasy-land/map","map"],k,(function(e,t){switch(Object.prototype.toString.call(t)){case"[object Function]":return N(t.length,(function(){return e.call(this,t.apply(this,arguments))}));case"[object Object]":return m((function(r,n){return r[n]=e(t[n]),r}),{},z(t));default:return S(e,t)}})));const D=o((function(e,t){return"function"==typeof t["fantasy-land/ap"]?t["fantasy-land/ap"](e):"function"==typeof e.ap?e.ap(t):"function"==typeof e?function(r){return e(r)(t(r))}:x((function(e,r){return function(e,t){var r;t=t||[];var n=(e=e||[]).length,s=t.length,i=[];for(r=0;r<n;)i[i.length]=e[r],r+=1;for(r=0;r<s;)i[i.length]=t[r],r+=1;return i}(e,B(r,t))}),[],e)}));const U=o((function(e,t){var r=N(e,t);return N(e,(function(){return m(D,B(r,arguments[0]),Array.prototype.slice.call(arguments,1))}))}));const G=i((function(e){return U(e.length,e)}));const W=G(i((function(e){return!e})));function Z(e){for(var t,r=[];!(t=e.next()).done;)r.push(t.value);return r}function K(e,t,r){for(var n=0,s=r.length;n<s;){if(e(t,r[n]))return!0;n+=1}return!1}const H="function"==typeof Object.is?Object.is:function(e,t){return e===t?0!==e||1/e==1/t:e!=e&&t!=t};const X=i((function(e){return null===e?"Null":void 0===e?"Undefined":Object.prototype.toString.call(e).slice(8,-1)}));function J(e,t,r,n){var s=Z(e);function i(e,t){return Y(e,t,r.slice(),n.slice())}return!K((function(e,t){return!K(i,t,e)}),Z(t),s)}function Y(e,t,r,n){if(H(e,t))return!0;var s,i,o=X(e);if(o!==X(t))return!1;if("function"==typeof e["fantasy-land/equals"]||"function"==typeof t["fantasy-land/equals"])return"function"==typeof e["fantasy-land/equals"]&&e["fantasy-land/equals"](t)&&"function"==typeof t["fantasy-land/equals"]&&t["fantasy-land/equals"](e);if("function"==typeof e.equals||"function"==typeof t.equals)return"function"==typeof e.equals&&e.equals(t)&&"function"==typeof t.equals&&t.equals(e);switch(o){case"Arguments":case"Array":case"Object":if("function"==typeof e.constructor&&"Promise"===(s=e.constructor,null==(i=String(s).match(/^function (\w*)/))?"":i[1]))return e===t;break;case"Boolean":case"Number":case"String":if(typeof e!=typeof t||!H(e.valueOf(),t.valueOf()))return!1;break;case"Date":if(!H(e.valueOf(),t.valueOf()))return!1;break;case"Error":return e.name===t.name&&e.message===t.message;case"RegExp":if(e.source!==t.source||e.global!==t.global||e.ignoreCase!==t.ignoreCase||e.multiline!==t.multiline||e.sticky!==t.sticky||e.unicode!==t.unicode)return!1}for(var a=r.length-1;a>=0;){if(r[a]===e)return n[a]===t;a-=1}switch(o){case"Map":return e.size===t.size&&J(e.entries(),t.entries(),r.concat([e]),n.concat([t]));case"Set":return e.size===t.size&&J(e.values(),t.values(),r.concat([e]),n.concat([t]));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 c=z(e);if(c.length!==z(t).length)return!1;var u=r.concat([e]),l=n.concat([t]);for(a=c.length-1;a>=0;){var f=c[a];if(!T(f,t)||!Y(t[f],e[f],u,l))return!1;a-=1}return!0}const Q=o((function(e,t){return Y(e,t,[],[])}));const ee=i((function(e){return function(){return e}}));var te=ee(void 0);const re=Q(te());const ne=W(re);var se=r(8326);function ie(e,t){return function(){return t.call(this,e.apply(this,arguments))}}function oe(e,t,r){for(var n=0,s=r.length;n<s;){if((t=e["@@transducer/step"](t,r[n]))&&t["@@transducer/reduced"]){t=t["@@transducer/value"];break}n+=1}return e["@@transducer/result"](t)}const ae=o((function(e,t){return M(e.length,(function(){return e.apply(t,arguments)}))}));function ce(e,t,r){for(var n=r.next();!n.done;){if((t=e["@@transducer/step"](t,n.value))&&t["@@transducer/reduced"]){t=t["@@transducer/value"];break}n=r.next()}return e["@@transducer/result"](t)}function ue(e,t,r,n){return e["@@transducer/result"](r[n](ae(e["@@transducer/step"],e),t))}const le=b(oe,ue,ce);var fe=function(){function e(e){this.f=e}return e.prototype["@@transducer/init"]=function(){throw new Error("init not implemented on XWrap")},e.prototype["@@transducer/result"]=function(e){return e},e.prototype["@@transducer/step"]=function(e,t){return this.f(e,t)},e}();const pe=a((function(e,t,r){return le("function"==typeof e?new fe(e):e,t,r)}));function he(e,t){return function(){var r=arguments.length;if(0===r)return t();var n=arguments[r-1];return y(n)||"function"!=typeof n[e]?t.apply(this,arguments):n[e].apply(n,Array.prototype.slice.call(arguments,0,r-1))}}const _e=a(he("slice",(function(e,t,r){return Array.prototype.slice.call(r,e,t)})));const de=i(he("tail",_e(1,1/0)));function me(){if(0===arguments.length)throw new Error("pipe requires at least one argument");return M(arguments[0].length,pe(ie,arguments[0],de(arguments)))}var ye=function(e,t){switch(arguments.length){case 0:return ye;case 1:return function t(r){return 0===arguments.length?t:H(e,r)};default:return H(e,t)}};const ge=ye;function ve(e,t){return function(e,t,r){var n,s;if("function"==typeof e.indexOf)switch(typeof t){case"number":if(0===t){for(n=1/t;r<e.length;){if(0===(s=e[r])&&1/s===n)return r;r+=1}return-1}if(t!=t){for(;r<e.length;){if("number"==typeof(s=e[r])&&s!=s)return r;r+=1}return-1}return e.indexOf(t,r);case"string":case"boolean":case"function":case"undefined":return e.indexOf(t,r);case"object":if(null===t)return e.indexOf(t,r)}for(;r<e.length;){if(Q(e[r],t))return r;r+=1}return-1}(t,e,0)>=0}function be(e){return'"'+e.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 we=function(e){return(e<10?"0":"")+e};const Ee="function"==typeof Date.prototype.toISOString?function(e){return e.toISOString()}:function(e){return e.getUTCFullYear()+"-"+we(e.getUTCMonth()+1)+"-"+we(e.getUTCDate())+"T"+we(e.getUTCHours())+":"+we(e.getUTCMinutes())+":"+we(e.getUTCSeconds())+"."+(e.getUTCMilliseconds()/1e3).toFixed(3).slice(2,5)+"Z"};function xe(e){return"[object Object]"===Object.prototype.toString.call(e)}var je=function(){function e(e,t){this.xf=t,this.f=e}return e.prototype["@@transducer/init"]=A,e.prototype["@@transducer/result"]=O,e.prototype["@@transducer/step"]=function(e,t){return this.f(t)?this.xf["@@transducer/step"](e,t):e},e}();function Se(e){return function(t){return new je(e,t)}}const Ae=o(j(["fantasy-land/filter","filter"],Se,(function(e,t){return xe(t)?m((function(r,n){return e(t[n])&&(r[n]=t[n]),r}),{},z(t)):function(e,t){for(var r=0,n=t.length,s=[];r<n;)e(t[r])&&(s[s.length]=t[r]),r+=1;return s}(e,t)})));const Oe=o((function(e,t){return Ae((r=e,function(){return!r.apply(this,arguments)}),t);var r}));function Pe(e,t){var r=function(r){var n=t.concat([e]);return ve(r,n)?"<Circular>":Pe(r,n)},n=function(e,t){return S((function(t){return be(t)+": "+r(e[t])}),t.slice().sort())};switch(Object.prototype.toString.call(e)){case"[object Arguments]":return"(function() { return arguments; }("+S(r,e).join(", ")+"))";case"[object Array]":return"["+S(r,e).concat(n(e,Oe((function(e){return/^\d+$/.test(e)}),z(e)))).join(", ")+"]";case"[object Boolean]":return"object"==typeof e?"new Boolean("+r(e.valueOf())+")":e.toString();case"[object Date]":return"new Date("+(isNaN(e.valueOf())?r(NaN):be(Ee(e)))+")";case"[object Map]":return"new Map("+r(Array.from(e))+")";case"[object Null]":return"null";case"[object Number]":return"object"==typeof e?"new Number("+r(e.valueOf())+")":1/e==-1/0?"-0":e.toString(10);case"[object Set]":return"new Set("+r(Array.from(e).sort())+")";case"[object String]":return"object"==typeof e?"new String("+r(e.valueOf())+")":be(e);case"[object Undefined]":return"undefined";default:if("function"==typeof e.toString){var s=e.toString();if("[object Object]"!==s)return s}return"{"+n(e,z(e)).join(", ")+"}"}}const ke=i((function(e){return Pe(e,[])}));const Me=o((function(e,t){return e.map((function(e){for(var r,n=t,s=0;s<e.length;){if(null==n)return;r=e[s],n=u(r)?f(r,n):n[r],s+=1}return n}))}));const Ie=o((function(e,t){return Me([e],t)[0]}));const Ne=a((function(e,t,r){return e(Ie(t,r))}));function Te(e){var t=Object.prototype.toString.call(e);return"[object Function]"===t||"[object AsyncFunction]"===t||"[object GeneratorFunction]"===t||"[object AsyncGeneratorFunction]"===t}const Re=o((function(e,t){return e&&t}));const Ce=o((function(e,t){return Te(e)?function(){return e.apply(this,arguments)&&t.apply(this,arguments)}:G(Re)(e,t)}));const Fe=Q(null);var qe=W(Fe);function $e(e){return $e="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},$e(e)}const Le=N(1,Ce(qe,(function(e){return"object"===$e(e)})));const Ve=o((function(e,t){if(e===t)return t;function r(e,t){if(e>t!=t>e)return t>e?t:e}var n=r(e,t);if(void 0!==n)return n;var s=r(typeof e,typeof t);if(void 0!==s)return s===typeof e?e:t;var i=ke(e),o=r(i,ke(t));return void 0!==o&&o===i?e:t}));const ze=o((function(e,t){return B(p(e),t)}));const Be=i((function(e){return N(pe(Ve,0,ze("length",e)),(function(){for(var t=0,r=e.length;t<r;){if(e[t].apply(this,arguments))return!0;t+=1}return!1}))}));const De=N(1,me(X,ge("GeneratorFunction")));const Ue=N(1,me(X,ge("AsyncFunction")));const Ge=Be([me(X,ge("Function")),De,Ue]);var We=me(X,ge("Object")),Ze=me(ke,Q(ke(Object))),Ke=Ne(Ce(Ge,Ze),["constructor"]);const He=N(1,(function(e){if(!Le(e)||!We(e))return!1;var t=Object.getPrototypeOf(e);return!!Fe(t)||Ke(t)}));class Xe extends se.Om{constructor(e,t,r){super(e,t,r),this.element="annotation"}get code(){return this.attributes.get("code")}set code(e){this.attributes.set("code",e)}}const Je=Xe;class Ye extends se.Om{constructor(e,t,r){super(e,t,r),this.element="comment"}}const Qe=Ye;class et extends se.wE{constructor(e,t,r){super(e,t,r),this.element="parseResult"}get api(){return this.children.filter((e=>e.classes.contains("api"))).first}get results(){return this.children.filter((e=>e.classes.contains("result")))}get result(){return this.results.first}get annotations(){return this.children.filter((e=>"annotation"===e.element))}get warnings(){return this.children.filter((e=>"annotation"===e.element&&e.classes.contains("warning")))}get errors(){return this.children.filter((e=>"annotation"===e.element&&e.classes.contains("error")))}get isEmpty(){return this.children.reject((e=>"annotation"===e.element)).isEmpty}replaceResult(e){const{result:t}=this;if(re(t))return!1;const r=this.content.findIndex((e=>e===t));return-1!==r&&(this.content[r]=e,!0)}}const tt=et;class rt extends se.wE{constructor(e,t,r){super(e,t,r),this.element="sourceMap"}get positionStart(){return this.children.filter((e=>e.classes.contains("position"))).get(0)}get positionEnd(){return this.children.filter((e=>e.classes.contains("position"))).get(1)}set position(e){if(void 0===e)return;const t=new se.wE([e.start.row,e.start.column,e.start.char]),r=new se.wE([e.end.row,e.end.column,e.end.char]);t.classes.push("position"),r.classes.push("position"),this.push(t).push(r)}}const nt=rt;class st extends se.g${constructor(){super(),this.register("annotation",Je),this.register("comment",Qe),this.register("parseResult",tt),this.register("sourceMap",nt)}}const it=new st,ot=e=>{const t=new st;return He(e)&&t.use(e),t},at=it;const ct=N(1,me(X,ge("String"))),ut=r.p+"23aac571c96605dc25219087ad291441.wasm",lt=globalThis.fetch;Ge(lt)&&(globalThis.fetch=(...e)=>ct(e[0])&&e[0].endsWith("tree-sitter.wasm")?lt.apply(globalThis,[ut,de(e)]):lt.apply(globalThis,e));var ft=r(3833),pt=r(1212);const ht=class extends pt{constructor(e,t,r){if(super(e,t,r),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!=r&&"object"==typeof r&&Object.hasOwn(r,"cause")&&!("cause"in this)){const{cause:e}=r;this.cause=e,e instanceof Error&&"stack"in e&&(this.stack=`${this.stack}\nCAUSE: ${e.stack}`)}}};class _t extends Error{static[Symbol.hasInstance](e){return super[Symbol.hasInstance](e)||Function.prototype[Symbol.hasInstance].call(ht,e)}constructor(e,t){if(super(e,t),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!=t&&"object"==typeof t&&Object.hasOwn(t,"cause")&&!("cause"in this)){const{cause:e}=t;this.cause=e,e instanceof Error&&"stack"in e&&(this.stack=`${this.stack}\nCAUSE: ${e.stack}`)}}}const dt=_t,mt=r.p+"64a30dfa8a51b6a090ebd363beeaad5d.wasm";let yt=null,gt=null;const vt=async e=>{if(null===yt&&null===gt)gt=ft.init().then((()=>ft.Language.load(mt))).then((e=>{const t=new ft;return t.setLanguage(e),t})).finally((()=>{gt=null})),yt=await gt;else if(null===yt&&null!==gt)yt=await gt;else if(null===yt)throw new dt("Error while initializing web-tree-sitter and loading tree-sitter-json grammar.");return yt.parse(e)};const bt=class extends dt{constructor(e,t){if(super(e,t),null!=t&&"object"==typeof t){const{cause:e,...r}=t;Object.assign(this,r)}}},wt=(e,t,r)=>{const n=e[t];if(null!=n){if(!r&&"function"==typeof n)return n;const e=r?n.leave:n.enter;if("function"==typeof e)return e}else{const n=r?e.leave:e.enter;if(null!=n){if("function"==typeof n)return n;const e=n[t];if("function"==typeof e)return e}}return null},Et={},xt=e=>null==e?void 0:e.type,jt=e=>"string"==typeof xt(e),St=e=>Object.create(Object.getPrototypeOf(e),Object.getOwnPropertyDescriptors(e)),At=(e,t,{keyMap:r=null,state:n={},breakSymbol:s=Et,deleteNodeSymbol:i=null,skipVisitingNodeSymbol:o=!1,visitFnGetter:a=wt,nodeTypeGetter:c=xt,nodePredicate:u=jt,nodeCloneFn:l=St,detectCycles:f=!0}={})=>{const p=r||{};let h,_,d=Array.isArray(e),m=[e],y=-1,g=[],v=e;const b=[],w=[];do{y+=1;const e=y===m.length;let r;const x=e&&0!==g.length;if(e){if(r=0===w.length?void 0:b.pop(),v=_,_=w.pop(),x)if(d){v=v.slice();let e=0;for(const[t,r]of g){const n=t-e;r===i?(v.splice(n,1),e+=1):v[n]=r}}else{v=l(v);for(const[e,t]of g)v[e]=t}y=h.index,m=h.keys,g=h.edits,d=h.inArray,h=h.prev}else if(_!==i&&void 0!==_){if(r=d?y:m[y],v=_[r],v===i||void 0===v)continue;b.push(r)}let j;if(!Array.isArray(v)){if(!u(v))throw new bt(`Invalid AST Node: ${String(v)}`,{node:v});if(f&&w.includes(v)){b.pop();continue}const i=a(t,c(v),e);if(i){for(const[e,r]of Object.entries(n))t[e]=r;j=i.call(t,v,r,_,b,w)}if(j===s)break;if(j===o){if(!e){b.pop();continue}}else if(void 0!==j&&(g.push([r,j]),!e)){if(!u(j)){b.pop();continue}v=j}}var E;if(void 0===j&&x&&g.push([r,v]),!e)h={inArray:d,index:y,keys:m,edits:g,prev:h},d=Array.isArray(v),m=d?v:null!==(E=p[c(v)])&&void 0!==E?E:[],y=-1,g=[],_!==i&&void 0!==_&&w.push(_),_=v}while(void 0!==h);return 0!==g.length?g[g.length-1][1]:e};At[Symbol.for("nodejs.util.promisify.custom")]=async(e,t,{keyMap:r=null,state:n={},breakSymbol:s=Et,deleteNodeSymbol:i=null,skipVisitingNodeSymbol:o=!1,visitFnGetter:a=wt,nodeTypeGetter:c=xt,nodePredicate:u=jt,nodeCloneFn:l=St,detectCycles:f=!0}={})=>{const p=r||{};let h,_,d=Array.isArray(e),m=[e],y=-1,g=[],v=e;const b=[],w=[];do{y+=1;const e=y===m.length;let r;const x=e&&0!==g.length;if(e){if(r=0===w.length?void 0:b.pop(),v=_,_=w.pop(),x)if(d){v=v.slice();let e=0;for(const[t,r]of g){const n=t-e;r===i?(v.splice(n,1),e+=1):v[n]=r}}else{v=l(v);for(const[e,t]of g)v[e]=t}y=h.index,m=h.keys,g=h.edits,d=h.inArray,h=h.prev}else if(_!==i&&void 0!==_){if(r=d?y:m[y],v=_[r],v===i||void 0===v)continue;b.push(r)}let j;if(!Array.isArray(v)){if(!u(v))throw new bt(`Invalid AST Node: ${String(v)}`,{node:v});if(f&&w.includes(v)){b.pop();continue}const i=a(t,c(v),e);if(i){for(const[e,r]of Object.entries(n))t[e]=r;j=await i.call(t,v,r,_,b,w)}if(j===s)break;if(j===o){if(!e){b.pop();continue}}else if(void 0!==j&&(g.push([r,j]),!e)){if(!u(j)){b.pop();continue}v=j}}var E;if(void 0===j&&x&&g.push([r,v]),!e)h={inArray:d,index:y,keys:m,edits:g,prev:h},d=Array.isArray(v),m=d?v:null!==(E=p[c(v)])&&void 0!==E?E:[],y=-1,g=[],_!==i&&void 0!==_&&w.push(_),_=v}while(void 0!==h);return 0!==g.length?g[g.length-1][1]:e};var Ot=function(){function e(e,t){this.xf=t,this.f=e,this.all=!0}return e.prototype["@@transducer/init"]=A,e.prototype["@@transducer/result"]=function(e){return this.all&&(e=this.xf["@@transducer/step"](e,!0)),this.xf["@@transducer/result"](e)},e.prototype["@@transducer/step"]=function(e,t){var r;return this.f(t)||(this.all=!1,e=(r=this.xf["@@transducer/step"](e,!1))&&r["@@transducer/reduced"]?r:{"@@transducer/value":r,"@@transducer/reduced":!0}),e},e}();function Pt(e){return function(t){return new Ot(e,t)}}const kt=o(j(["all"],Pt,(function(e,t){for(var r=0;r<t.length;){if(!e(t[r]))return!1;r+=1}return!0})));const Mt=i((function(e){return N(e.length,(function(t,r){var n=Array.prototype.slice.call(arguments,0);return n[0]=r,n[1]=t,e.apply(this,n)}))}))(o(ve)),It=(e,t)=>"object"==typeof t&&null!==t&&e in t&&"function"==typeof t[e],Nt=e=>"object"==typeof e&&null!=e&&"_storedElement"in e&&"string"==typeof e._storedElement&&"_content"in e,Tt=(e,t)=>"object"==typeof t&&null!==t&&"primitive"in t&&("function"==typeof t.primitive&&t.primitive()===e),Rt=(e,t)=>"object"==typeof t&&null!==t&&"classes"in t&&(Array.isArray(t.classes)||t.classes instanceof se.wE)&&t.classes.includes(e),Ct=(e,t)=>"object"==typeof t&&null!==t&&"element"in t&&t.element===e,Ft=e=>e({hasMethod:It,hasBasicElementProps:Nt,primitiveEq:Tt,isElementType:Ct,hasClass:Rt}),qt=Ft((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.Hg||e(r)&&t(void 0,r))),$t=Ft((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.Om||e(r)&&t("string",r))),Lt=Ft((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.kT||e(r)&&t("number",r))),Vt=Ft((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.Os||e(r)&&t("null",r))),zt=Ft((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.bd||e(r)&&t("boolean",r))),Bt=Ft((({hasBasicElementProps:e,primitiveEq:t,hasMethod:r})=>n=>n instanceof se.Sh||e(n)&&t("object",n)&&r("keys",n)&&r("values",n)&&r("items",n))),Dt=Ft((({hasBasicElementProps:e,primitiveEq:t,hasMethod:r})=>n=>n instanceof se.wE&&!(n instanceof se.Sh)||e(n)&&t("array",n)&&r("push",n)&&r("unshift",n)&&r("map",n)&&r("reduce",n))),Ut=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof se.Pr||e(n)&&t("member",n)&&r(void 0,n))),Gt=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof se.Ft||e(n)&&t("link",n)&&r(void 0,n))),Wt=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof se.sI||e(n)&&t("ref",n)&&r(void 0,n))),Zt=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Je||e(n)&&t("annotation",n)&&r("array",n))),Kt=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Qe||e(n)&&t("comment",n)&&r("string",n))),Ht=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof tt||e(n)&&t("parseResult",n)&&r("array",n))),Xt=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof nt||e(n)&&t("sourceMap",n)&&r("array",n))),Jt=e=>Ct("object",e)||Ct("array",e)||Ct("boolean",e)||Ct("number",e)||Ct("string",e)||Ct("null",e)||Ct("member",e),Yt=e=>Xt(e.meta.get("sourceMap")),Qt=(e,t)=>{if(0===e.length)return!0;const r=t.attributes.get("symbols");return!!Dt(r)&&kt(Mt(r.toValue()),e)},er=(e,t)=>0===e.length||kt(Mt(t.classes.toValue()),e);const tr=class extends bt{value;constructor(e,t){super(e,t),void 0!==t&&(this.value=t.value)}};const rr=class extends tr{};const nr=class extends tr{},sr=(e,t={})=>{const{visited:r=new WeakMap}=t,n={...t,visited:r};if(r.has(e))return r.get(e);if(e instanceof se.KeyValuePair){const{key:t,value:s}=e,i=qt(t)?sr(t,n):t,o=qt(s)?sr(s,n):s,a=new se.KeyValuePair(i,o);return r.set(e,a),a}if(e instanceof se.ot){const t=e=>sr(e,n),s=[...e].map(t),i=new se.ot(s);return r.set(e,i),i}if(e instanceof se.G6){const t=e=>sr(e,n),s=[...e].map(t),i=new se.G6(s);return r.set(e,i),i}if(qt(e)){const t=ar(e);if(r.set(e,t),e.content)if(qt(e.content))t.content=sr(e.content,n);else if(e.content instanceof se.KeyValuePair)t.content=sr(e.content,n);else if(Array.isArray(e.content)){const r=e=>sr(e,n);t.content=e.content.map(r)}else t.content=e.content;else t.content=e.content;return t}throw new rr("Value provided to cloneDeep function couldn't be cloned",{value:e})};sr.safe=e=>{try{return sr(e)}catch{return e}};const ir=e=>{const{key:t,value:r}=e;return new se.KeyValuePair(t,r)},or=e=>{const t=new e.constructor;if(t.element=e.element,e.meta.length>0&&(t._meta=sr(e.meta)),e.attributes.length>0&&(t._attributes=sr(e.attributes)),qt(e.content)){const r=e.content;t.content=or(r)}else Array.isArray(e.content)?t.content=[...e.content]:e.content instanceof se.KeyValuePair?t.content=ir(e.content):t.content=e.content;return t},ar=e=>{if(e instanceof se.KeyValuePair)return ir(e);if(e instanceof se.ot)return(e=>{const t=[...e];return new se.ot(t)})(e);if(e instanceof se.G6)return(e=>{const t=[...e];return new se.G6(t)})(e);if(qt(e))return or(e);throw new nr("Value provided to cloneShallow function couldn't be cloned",{value:e})};ar.safe=e=>{try{return ar(e)}catch{return e}};const cr=e=>Bt(e)?"ObjectElement":Dt(e)?"ArrayElement":Ut(e)?"MemberElement":$t(e)?"StringElement":zt(e)?"BooleanElement":Lt(e)?"NumberElement":Vt(e)?"NullElement":Gt(e)?"LinkElement":Wt(e)?"RefElement":void 0,ur=e=>qt(e)?ar(e):St(e),lr=me(cr,ct),fr={ObjectElement:["content"],ArrayElement:["content"],MemberElement:["key","value"],StringElement:[],BooleanElement:[],NumberElement:[],NullElement:[],RefElement:[],LinkElement:[],Annotation:[],Comment:[],ParseResultElement:["content"],SourceMap:["content"]};const pr=(e,t,{keyMap:r=fr,...n}={})=>At(e,t,{keyMap:r,nodeTypeGetter:cr,nodePredicate:lr,nodeCloneFn:ur,...n});pr[Symbol.for("nodejs.util.promisify.custom")]=async(e,t,{keyMap:r=fr,...n}={})=>At[Symbol.for("nodejs.util.promisify.custom")](e,t,{keyMap:r,nodeTypeGetter:cr,nodePredicate:lr,nodeCloneFn:ur,...n});const hr=a((function(e,t,r){var n,s={};for(n in r=r||{},t=t||{})T(n,t)&&(s[n]=T(n,r)?e(n,t[n],r[n]):t[n]);for(n in r)T(n,r)&&!T(n,s)&&(s[n]=r[n]);return s}));const _r=a((function e(t,r,n){return hr((function(r,n,s){return xe(n)&&xe(s)?e(t,n,s):t(r,n,s)}),r,n)}));const dr=o((function(e,t){return _r((function(e,t,r){return r}),e,t)}));const mr=_e(0,-1);const yr=o((function(e,t){return e.apply(this,t)}));const gr=W(Ge);var vr=i((function(e){return null!=e&&"function"==typeof e["fantasy-land/empty"]?e["fantasy-land/empty"]():null!=e&&null!=e.constructor&&"function"==typeof e.constructor["fantasy-land/empty"]?e.constructor["fantasy-land/empty"]():null!=e&&"function"==typeof e.empty?e.empty():null!=e&&null!=e.constructor&&"function"==typeof e.constructor.empty?e.constructor.empty():y(e)?[]:l(e)?"":xe(e)?{}:C(e)?function(){return arguments}():function(e){var t=Object.prototype.toString.call(e);return"[object Uint8ClampedArray]"===t||"[object Int8Array]"===t||"[object Uint8Array]"===t||"[object Int16Array]"===t||"[object Uint16Array]"===t||"[object Int32Array]"===t||"[object Uint32Array]"===t||"[object Float32Array]"===t||"[object Float64Array]"===t||"[object BigInt64Array]"===t||"[object BigUint64Array]"===t}(e)?e.constructor.from(""):void 0}));const br=vr;const wr=i((function(e){return null!=e&&Q(e,br(e))}));const Er=Ce(N(1,Ge(Array.isArray)?Array.isArray:me(X,ge("Array"))),wr);const xr=N(3,(function(e,t,r){var n=Ie(e,r),s=Ie(mr(e),r);if(!gr(n)&&!Er(e)){var i=ae(n,s);return yr(i,t)}})),jr=()=>({predicates:{...e},namespace:at}),Sr={toolboxCreator:jr,visitorOptions:{nodeTypeGetter:cr,exposeEdits:!0}},Ar=(e,t,r={})=>{if(0===t.length)return e;const n=dr(Sr,r),{toolboxCreator:s,visitorOptions:i}=n,o=s(),a=t.map((e=>e(o))),c=((e,{visitFnGetter:t=wt,nodeTypeGetter:r=xt,breakSymbol:n=Et,deleteNodeSymbol:s=null,skipVisitingNodeSymbol:i=!1,exposeEdits:o=!1}={})=>{const a=Symbol("skip"),c=new Array(e.length).fill(a);return{enter(u,...l){let f=u,p=!1;for(let h=0;h<e.length;h+=1)if(c[h]===a){const a=t(e[h],r(f),!1);if("function"==typeof a){const t=a.call(e[h],f,...l);if(t===i)c[h]=u;else if(t===n)c[h]=n;else{if(t===s)return t;if(void 0!==t){if(!o)return t;f=t,p=!0}}}}return p?f:void 0},leave(s,...o){for(let u=0;u<e.length;u+=1)if(c[u]===a){const a=t(e[u],r(s),!0);if("function"==typeof a){const t=a.call(e[u],s,...o);if(t===n)c[u]=n;else if(void 0!==t&&t!==i)return t}}else c[u]===s&&(c[u]=a)}}})(a.map(h({},"visitor")),{...i});a.forEach(xr(["pre"],[]));const u=pr(e,c,i);return a.forEach(xr(["post"],[])),u},Or=(e,{Type:t,plugins:r=[]})=>{const n=new t(e);return qt(e)&&(e.meta.length>0&&(n.meta=sr(e.meta)),e.attributes.length>0&&(n.attributes=sr(e.attributes))),Ar(n,r,{toolboxCreator:jr,visitorOptions:{nodeTypeGetter:cr}})},Pr=e=>(t,r={})=>Or(t,{...r,Type:e});se.Sh.refract=Pr(se.Sh),se.wE.refract=Pr(se.wE),se.Om.refract=Pr(se.Om),se.bd.refract=Pr(se.bd),se.Os.refract=Pr(se.Os),se.kT.refract=Pr(se.kT),se.Ft.refract=Pr(se.Ft),se.sI.refract=Pr(se.sI),Je.refract=Pr(Je),Qe.refract=Pr(Qe),tt.refract=Pr(tt),nt.refract=Pr(nt);const kr=class{type;startPosition;endPosition;startIndex;endIndex;text;isNamed;isMissing;fieldName;hasError=!1;children=[];constructor(e){this.type=e.nodeType,this.startPosition=e.startPosition,this.endPosition=e.endPosition,this.startIndex=e.startIndex,this.endIndex=e.endIndex,this.text=e.nodeText,this.isNamed=e.nodeIsNamed,this.isMissing=e.nodeIsMissing}get keyNode(){if("pair"===this.type)return this.children.find((e=>"key"===e.fieldName))}get valueNode(){if("pair"===this.type)return this.children.find((e=>"value"===e.fieldName))}setFieldName(e){return"function"==typeof e.currentFieldName?this.fieldName=e.currentFieldName():this.fieldName=e.currentFieldName,this}setHasError(e){return"function"==typeof e.currentNode?this.hasError=e.currentNode().hasError():this.hasError=e.currentNode.hasError(),this}pushChildren(...e){this.children.push(...e)}};class Mr{static toPosition(e){const t=new se.wE([e.startPosition.row,e.startPosition.column,e.startIndex]),r=new se.wE([e.endPosition.row,e.endPosition.column,e.endIndex]);return t.classes.push("position"),r.classes.push("position"),[t,r]}sourceMap=!1;annotations;ParseResultElement={leave:e=>{const t=e.findElements(Jt);if(t.length>0){t[0].classes.push("result")}this.annotations.forEach((t=>{e.push(t)})),this.annotations=[]}};constructor(){this.annotations=[]}enter(e){if(e instanceof kr&&!e.isNamed&&e.isMissing){const t=e.type||e.text,r=new Je(`(Missing ${t})`);r.classes.push("warning"),this.maybeAddSourceMap(e,r),this.annotations.push(r)}return null}document(e){const t=new tt;return t._content=e.children,this.maybeAddSourceMap(e,t),t}object(e){const t=new se.Sh;return t._content=e.children,this.maybeAddSourceMap(e,t),t}array(e){const t=new se.wE;return t._content=e.children,this.maybeAddSourceMap(e,t),t}pair(e){const t=new se.Pr;return t.content.key=e.keyNode,t.content.value=e.valueNode,this.maybeAddSourceMap(e,t),e.children.length>3&&e.children.filter((e=>"ERROR"===e.type)).forEach((t=>{this.ERROR(t,e,[],[e])})),t}string(e){const t=new se.Om(JSON.parse(e.text));return this.maybeAddSourceMap(e,t),t}number(e){const t=new se.kT(Number(e.text));return this.maybeAddSourceMap(e,t),t}null(e){const t=new se.Os;return this.maybeAddSourceMap(e,t),t}true(e){const t=new se.bd(!0);return this.maybeAddSourceMap(e,t),t}false(e){const t=new se.bd(!1);return this.maybeAddSourceMap(e,t),t}ERROR(e,t,r,n){const s=!e.hasError,i=e.text,o=new Je(s?`(Unexpected ${i})`:`(Error ${i})`);if(o.classes.push("error"),this.maybeAddSourceMap(e,o),0===n.length){const e=new tt;return e.push(o),e}return this.annotations.push(o),null}maybeAddSourceMap(e,t){if(!this.sourceMap)return;const r=new nt,n=Mr.toPosition(e);if(null!==n){const[e,t]=n;r.push(e),r.push(t)}r.astNode=e,t.meta.set("sourceMap",r)}}const Ir=Mr;class Nr{cursor;constructor(e){this.cursor=e}document(){return new kr(this.cursor)}object(){return new kr(this.cursor).setFieldName(this.cursor)}array(){return new kr(this.cursor).setFieldName(this.cursor)}pair(){return new kr(this.cursor)}string(){return new kr(this.cursor).setFieldName(this.cursor)}number(){return new kr(this.cursor).setFieldName(this.cursor)}null(){return new kr(this.cursor).setFieldName(this.cursor)}true(){return new kr(this.cursor).setFieldName(this.cursor)}false(){return new kr(this.cursor).setFieldName(this.cursor)}ERROR(){return new kr(this.cursor).setHasError(this.cursor)}*[Symbol.iterator](){let e;if(e=this.cursor.nodeType in this?this[this.cursor.nodeType]():new kr(this.cursor),this.cursor.gotoFirstChild()){const[t]=new Nr(this.cursor);for(e.pushChildren(t);this.cursor.gotoNextSibling();){const t=new Nr(this.cursor);e.pushChildren(...t)}this.cursor.gotoParent()}yield e}}const Tr=Nr,Rr={document:["children"],object:["children"],array:["children"],string:["children"],property:["children"],key:["children"],error:["children"],...fr},Cr=e=>Ht(e)?"ParseResultElement":qt(e)?cr(e):xt(e),Fr=e=>qt(e)||jt(e),qr=(e,{sourceMap:t=!1}={})=>{const r=new Ir,n=e.walk(),s=new Tr(n),[i]=Array.from(s);return At(i,r,{keyMap:Rr,nodeTypeGetter:Cr,nodePredicate:Fr,state:{sourceMap:t}})};class $r{static type="point";type=$r.type;row;column;char;constructor({row:e,column:t,char:r}){this.row=e,this.column=t,this.char=r}}class Lr{static type="position";type=Lr.type;start;end;constructor({start:e,end:t}){this.start=e,this.end=t}}const Vr=Lr;const zr=f(0);const Br=class{static type="node";type="node";isMissing;children;position;constructor({children:e=[],position:t,isMissing:r=!1}={}){this.type=this.constructor.type,this.isMissing=r,this.children=e,this.position=t}clone(){const e=Object.create(Object.getPrototypeOf(this));return Object.getOwnPropertyNames(this).forEach((t=>{const r=Object.getOwnPropertyDescriptor(this,t);Object.defineProperty(e,t,r)})),e}};const Dr=class extends Br{};const Ur=class extends Dr{static type="document";get child(){return zr(this.children)}};const Gr=class extends Br{static type="parseResult";get rootNode(){return zr(this.children)}};const Wr=class extends Br{static type="literal";value;constructor({value:e,...t}={}){super({...t}),this.value=e}},Zr=(e,t)=>null!=t&&"object"==typeof t&&"type"in t&&t.type===e,Kr=e=>Zr("string",e),Hr=e=>Zr("false",e),Xr=e=>Zr("true",e),Jr=e=>Zr("null",e),Yr=e=>Zr("number",e),Qr=e=>Zr("array",e),en=e=>Zr("object",e),tn=e=>Zr("property",e),rn=e=>Zr("key",e);const nn=class extends Dr{static type="object";get properties(){return this.children.filter(tn)}};const sn=class extends Dr{static type="string";get value(){if(1===this.children.length){return this.children[0].value}return this.children.filter((e=>(e=>Zr("stringContent",e))(e)||(e=>Zr("escapeSequence",e))(e))).reduce(((e,t)=>e+t.value),"")}};const on=class extends sn{static type="key"};const an=class extends Dr{static type="property";get key(){return this.children.find(rn)}get value(){return this.children.find((e=>Hr(e)||Xr(e)||Jr(e)||Yr(e)||Kr(e)||Qr(e)||en(e)))}};const cn=class extends Dr{static type="array";get items(){return this.children.filter((e=>Hr(e)||Xr(e)||Jr(e)||Yr(e)||Kr(e)||Qr(e)||en))}};const un=class extends Dr{static type="value";value;constructor({value:e,...t}){super({...t}),this.value=e}};const ln=class extends un{static type="stringContent"};const fn=class extends un{static type="number"};const pn=class extends un{static type="null"};const hn=class extends un{static type="true"};const _n=class extends un{static type="false"};const dn=class extends Br{static type="error";value;isUnexpected;constructor({value:e,isUnexpected:t=!1,...r}={}){super({...r}),this.value=e,this.isUnexpected=t}},mn={document:["children"],object:["children"],array:["children"],string:["children"],property:["children"],key:["children"],error:["children"]};class yn{static toPosition(e){const t=new $r({row:e.startPosition.row,column:e.startPosition.column,char:e.startIndex}),r=new $r({row:e.endPosition.row,column:e.endPosition.column,char:e.endIndex});return new Vr({start:t,end:r})}document={enter:e=>{const t=yn.toPosition(e);return new Ur({children:e.children,position:t,isMissing:e.isMissing})},leave:e=>new Gr({children:[e]})};enter(e){if(e instanceof kr&&!e.isNamed){const t=yn.toPosition(e),r=e.type||e.text,{isMissing:n}=e;return new Wr({value:r,position:t,isMissing:n})}}object(e){const t=yn.toPosition(e);return new nn({children:e.children,position:t,isMissing:e.isMissing})}pair(e){const t=yn.toPosition(e),r=e.children.slice(1),{keyNode:n}=e,s=new on({children:(null==n?void 0:n.children)||[],position:null!=n?yn.toPosition(n):void 0,isMissing:null!=n&&n.isMissing});return new an({children:[s,...r],position:t,isMissing:e.isMissing})}array(e){const t=yn.toPosition(e);return new cn({children:e.children,position:t,isMissing:e.isMissing})}string(e){const t=yn.toPosition(e),r=new ln({value:JSON.parse(e.text)});return new sn({children:[r],position:t,isMissing:e.isMissing})}number(e){const t=yn.toPosition(e),r=e.text;return new fn({value:r,position:t,isMissing:e.isMissing})}null(e){const t=yn.toPosition(e),r=e.text;return new pn({value:r,position:t,isMissing:e.isMissing})}true(e){const t=yn.toPosition(e),r=e.text;return new hn({value:r,position:t,isMissing:e.isMissing})}false(e){const t=yn.toPosition(e),r=e.text;return new _n({value:r,position:t,isMissing:e.isMissing})}ERROR(e,t,r,n){const s=yn.toPosition(e),i=new dn({children:e.children,position:s,isUnexpected:!e.hasError,isMissing:e.isMissing,value:e.text});return 0===n.length?new Gr({children:[i]}):i}}const gn=yn,vn={[Gr.type]:["children"],[Ur.type]:["children"],[nn.type]:["children"],[an.type]:["children"],[cn.type]:["children"],[dn.type]:["children"],...fr},bn=e=>Ht(e)?"ParseResultElement":qt(e)?cr(e):xt(e),wn=e=>qt(e)||jt(e);const En=class{sourceMap=!1;annotations;ParseResultElement={leave:e=>{const t=e.findElements(Jt);if(t.length>0){t[0].classes.push("result")}this.annotations.forEach((t=>{e.push(t)})),this.annotations=[]}};constructor(){this.annotations=[]}document(e){const t=new tt;return t._content=e.children,t}object(e){const t=new se.Sh;return t._content=e.children,this.maybeAddSourceMap(e,t),t}property(e){const t=new se.Pr;return t.content.key=e.key,t.content.value=e.value,this.maybeAddSourceMap(e,t),e.children.length>3&&e.children.filter((e=>"error"===e.type)).forEach((t=>{this.error(t,e,[],[e])})),t}key(e){const t=new se.Om(e.value);return this.maybeAddSourceMap(e,t),t}array(e){const t=new se.wE;return t._content=e.children,this.maybeAddSourceMap(e,t),t}string(e){const t=new se.Om(e.value);return this.maybeAddSourceMap(e,t),t}number(e){const t=new se.kT(Number(e.value));return this.maybeAddSourceMap(e,t),t}null(e){const t=new se.Os;return this.maybeAddSourceMap(e,t),t}true(e){const t=new se.bd(!0);return this.maybeAddSourceMap(e,t),t}false(e){const t=new se.bd(!1);return this.maybeAddSourceMap(e,t),t}literal(e){if(e.isMissing){const t=`(Missing ${e.value})`,r=new Je(t);r.classes.push("warning"),this.maybeAddSourceMap(e,r),this.annotations.push(r)}return null}error(e,t,r,n){const s=e.isUnexpected?`(Unexpected ${e.value})`:`(Error ${e.value})`,i=new Je(s);if(i.classes.push("error"),this.maybeAddSourceMap(e,i),0===n.length){const e=new tt;return e.push(i),e}return this.annotations.push(i),null}maybeAddSourceMap(e,t){if(!this.sourceMap)return;const r=new nt;r.position=e.position,r.astNode=e,t.meta.set("sourceMap",r)}},xn=(e,{sourceMap:t=!1}={})=>{const r=e.walk(),n=new Tr(r),[s]=Array.from(n),i=new gn,o=new En,a=At(s,i,{keyMap:mn,state:{sourceMap:t}});return At(a.rootNode,o,{keyMap:vn,nodeTypeGetter:bn,nodePredicate:wn,state:{sourceMap:t}})},jn=(ot(),/(?<true>^\s*true\s*$)|(?<false>^\s*false\s*$)|(?<null>^\s*null\s*$)|(?<number>^\s*\d+\s*$)|(?<object>^\s*{\s*)|(?<array>^\s*\[\s*)|(?<string>^\s*"(((?=\\)\\(["\\/bfnrt]|u[0-9a-fA-F]{4}))|[^"\\\x00-\x1F\x7F])*"\s*$)/);const Sn=o((function(e,t){return m((function(r,n){return r[n]=e(t[n],n,t),r}),{},z(t))}));const An=i((function(e){return null==e}));const On=o((function(e,t){if(0===e.length||An(t))return!1;for(var r=t,n=0;n<e.length;){if(An(r)||!T(e[n],r))return!1;r=r[e[n]],n+=1}return!0}));var Pn=o((function(e,t){return On([e],t)}));const kn=Pn;const Mn=a((function(e,t,r){return e(p(t,r))}));const In=i((function(e){return N(e.length,e)}));const Nn=o((function(e,t){return N(e+1,(function(){var r=arguments[e];if(null!=r&&Te(r[t]))return r[t].apply(r,Array.prototype.slice.call(arguments,0,e));throw new TypeError(ke(r)+' does not have a method named "'+t+'"')}))}));const Tn=Nn(1,"split");var Rn=function(){function e(e,t){this.xf=t,this.f=e}return e.prototype["@@transducer/init"]=A,e.prototype["@@transducer/result"]=O,e.prototype["@@transducer/step"]=function(e,t){if(this.f){if(this.f(t))return e;this.f=null}return this.xf["@@transducer/step"](e,t)},e}();function Cn(e){return function(t){return new Rn(e,t)}}const Fn=o(j(["dropWhile"],Cn,(function(e,t){for(var r=0,n=t.length;r<n&&e(t[r]);)r+=1;return _e(r,1/0,t)})));const qn=Nn(1,"join");const $n=In((function(e,t){return me(Tn(""),Fn(Mt(e)),qn(""))(t)})),Ln=(e,t)=>{const r=c(e,t);return Sn((e=>{if(He(e)&&kn("$ref",e)&&Mn(ct,"$ref",e)){const t=Ie(["$ref"],e),n=$n("#/",t);return Ie(n.split("/"),r)}return He(e)?Ln(e,r):e}),e)};const Vn=function(){return!0},zn=e=>"string"==typeof(null==e?void 0:e.type)?e.type:cr(e),Bn={EphemeralObject:["content"],EphemeralArray:["content"],...fr},Dn=(e,t,{keyMap:r=Bn,...n}={})=>pr(e,t,{keyMap:r,nodeTypeGetter:zn,nodePredicate:Vn,detectCycles:!1,deleteNodeSymbol:Symbol.for("delete-node"),skipVisitingNodeSymbol:Symbol.for("skip-visiting-node"),...n});Dn[Symbol.for("nodejs.util.promisify.custom")]=async(e,{keyMap:t=Bn,...r}={})=>pr[Symbol.for("nodejs.util.promisify.custom")](e,visitor,{keyMap:t,nodeTypeGetter:zn,nodePredicate:Vn,detectCycles:!1,deleteNodeSymbol:Symbol.for("delete-node"),skipVisitingNodeSymbol:Symbol.for("skip-visiting-node"),...r});const Un=class{type="EphemeralArray";content=[];reference=void 0;constructor(e){this.content=e,this.reference=[]}toReference(){return this.reference}toArray(){return this.reference.push(...this.content),this.reference}};const Gn=class{type="EphemeralObject";content=[];reference=void 0;constructor(e){this.content=e,this.reference={}}toReference(){return this.reference}toObject(){return Object.assign(this.reference,Object.fromEntries(this.content))}};class Wn{ObjectElement={enter:e=>{if(this.references.has(e))return this.references.get(e).toReference();const t=new Gn(e.content);return this.references.set(e,t),t}};EphemeralObject={leave:e=>e.toObject()};MemberElement={enter:e=>[e.key,e.value]};ArrayElement={enter:e=>{if(this.references.has(e))return this.references.get(e).toReference();const t=new Un(e.content);return this.references.set(e,t),t}};EphemeralArray={leave:e=>e.toArray()};references=new WeakMap;BooleanElement(e){return e.toValue()}NumberElement(e){return e.toValue()}StringElement(e){return e.toValue()}NullElement(){return null}RefElement(e,...t){var r;const n=t[3];return"EphemeralObject"===(null===(r=n[n.length-1])||void 0===r?void 0:r.type)?Symbol.for("delete-node"):String(e.toValue())}LinkElement(e){return $t(e.href)?e.href.toValue():""}}const Zn=e=>qt(e)?$t(e)||Lt(e)||zt(e)||Vt(e)?e.toValue():Dn(e,new Wn):e,Kn=e=>{const t=e.meta.length>0?sr(e.meta):void 0,r=e.attributes.length>0?sr(e.attributes):void 0;return new e.constructor(void 0,t,r)},Hn=(e,t)=>t.clone&&t.isMergeableElement(e)?Qn(Kn(e),e,t):e,Xn=e=>"function"!=typeof e.customMetaMerge?e=>sr(e):e.customMetaMerge,Jn=e=>"function"!=typeof e.customAttributesMerge?e=>sr(e):e.customAttributesMerge,Yn={clone:!0,isMergeableElement:e=>Bt(e)||Dt(e),arrayElementMerge:(e,t,r)=>e.concat(t)["fantasy-land/map"]((e=>Hn(e,r))),objectElementMerge:(e,t,r)=>{const n=Bt(e)?Kn(e):Kn(t);return Bt(e)&&e.forEach(((e,t,s)=>{const i=ar(s);i.value=Hn(e,r),n.content.push(i)})),t.forEach(((t,s,i)=>{const o=Zn(s);let a;if(Bt(e)&&e.hasKey(o)&&r.isMergeableElement(t)){const n=e.get(o);a=ar(i),a.value=((e,t)=>{if("function"!=typeof t.customMerge)return Qn;const r=t.customMerge(e,t);return"function"==typeof r?r:Qn})(s,r)(n,t)}else a=ar(i),a.value=Hn(t,r);n.remove(o),n.content.push(a)})),n},customMerge:void 0,customMetaMerge:void 0,customAttributesMerge:void 0};function Qn(e,t,r){var n,s,i;const o={...Yn,...r};o.isMergeableElement=null!==(n=o.isMergeableElement)&&void 0!==n?n:Yn.isMergeableElement,o.arrayElementMerge=null!==(s=o.arrayElementMerge)&&void 0!==s?s:Yn.arrayElementMerge,o.objectElementMerge=null!==(i=o.objectElementMerge)&&void 0!==i?i:Yn.objectElementMerge;const a=Dt(t);if(!(a===Dt(e)))return Hn(t,o);const c=a&&"function"==typeof o.arrayElementMerge?o.arrayElementMerge(e,t,o):o.objectElementMerge(e,t,o);return c.meta=Xn(o)(e.meta,t.meta),c.attributes=Jn(o)(e.attributes,t.attributes),c}Qn.all=(e,t)=>{if(!Array.isArray(e))throw new TypeError("First argument of deepmerge should be an array.");return 0===e.length?new se.Sh:e.reduce(((e,r)=>Qn(e,r,t)),Kn(e[0]))};const es=class{element;constructor(e={}){Object.assign(this,e)}copyMetaAndAttributes(e,t){(e.meta.length>0||t.meta.length>0)&&(t.meta=Qn(t.meta,e.meta),Yt(e)&&t.meta.set("sourceMap",e.meta.get("sourceMap"))),(e.attributes.length>0||e.meta.length>0)&&(t.attributes=Qn(t.attributes,e.attributes))}};const ts=class extends es{enter(e){return this.element=sr(e),Et}},rs=(e,t,r=[])=>{const n=Object.getOwnPropertyDescriptors(t);for(let e of r)delete n[e];Object.defineProperties(e,n)},ns=(e,t=[e])=>{const r=Object.getPrototypeOf(e);return null===r?t:ns(r,[...t,r])},ss=(e,t,r=[])=>{var n;const s=null!==(n=((...e)=>{if(0===e.length)return;let t;const r=e.map((e=>ns(e)));for(;r.every((e=>e.length>0));){const e=r.map((e=>e.pop())),n=e[0];if(!e.every((e=>e===n)))break;t=n}return t})(...e))&&void 0!==n?n:Object.prototype,i=Object.create(s),o=ns(s);for(let t of e){let e=ns(t);for(let t=e.length-1;t>=0;t--){let n=e[t];-1===o.indexOf(n)&&(rs(i,n,["constructor",...r]),o.push(n))}}return i.constructor=t,i},is=e=>e.filter(((t,r)=>e.indexOf(t)==r)),os=(e,t)=>{const r=t.map((e=>ns(e)));let n=0,s=!0;for(;s;){s=!1;for(let i=t.length-1;i>=0;i--){const t=r[i][n];if(null!=t&&(s=!0,null!=Object.getOwnPropertyDescriptor(t,e)))return r[i][0]}n++}},as=(e,t=Object.prototype)=>new Proxy({},{getPrototypeOf:()=>t,setPrototypeOf(){throw Error("Cannot set prototype of Proxies created by ts-mixer")},getOwnPropertyDescriptor:(t,r)=>Object.getOwnPropertyDescriptor(os(r,e)||{},r),defineProperty(){throw new Error("Cannot define new properties on Proxies created by ts-mixer")},has:(r,n)=>void 0!==os(n,e)||void 0!==t[n],get:(r,n)=>(os(n,e)||t)[n],set(t,r,n){const s=os(r,e);if(void 0===s)throw new Error("Cannot set new properties on Proxies created by ts-mixer");return s[r]=n,!0},deleteProperty(){throw new Error("Cannot delete properties on Proxies created by ts-mixer")},ownKeys:()=>e.map(Object.getOwnPropertyNames).reduce(((e,t)=>t.concat(e.filter((e=>t.indexOf(e)<0)))))}),cs=null,us="copy",ls="copy",fs="deep",ps=new WeakMap,hs=e=>ps.get(e),_s=(e,t)=>{var r,n;const s=is([...Object.getOwnPropertyNames(e),...Object.getOwnPropertyNames(t)]),i={};for(let o of s)i[o]=is([...null!==(r=null==e?void 0:e[o])&&void 0!==r?r:[],...null!==(n=null==t?void 0:t[o])&&void 0!==n?n:[]]);return i},ds=(e,t)=>{var r,n,s,i;return{property:_s(null!==(r=null==e?void 0:e.property)&&void 0!==r?r:{},null!==(n=null==t?void 0:t.property)&&void 0!==n?n:{}),method:_s(null!==(s=null==e?void 0:e.method)&&void 0!==s?s:{},null!==(i=null==t?void 0:t.method)&&void 0!==i?i:{})}},ms=(e,t)=>{var r,n,s,i,o,a;return{class:is([...null!==(r=null==e?void 0:e.class)&&void 0!==r?r:[],...null!==(n=null==t?void 0:t.class)&&void 0!==n?n:[]]),static:ds(null!==(s=null==e?void 0:e.static)&&void 0!==s?s:{},null!==(i=null==t?void 0:t.static)&&void 0!==i?i:{}),instance:ds(null!==(o=null==e?void 0:e.instance)&&void 0!==o?o:{},null!==(a=null==t?void 0:t.instance)&&void 0!==a?a:{})}},ys=new Map,gs=(...e)=>{const t=((...e)=>{var t;const r=new Set,n=new Set([...e]);for(;n.size>0;)for(let e of n){const s=[...ns(e.prototype).map((e=>e.constructor)),...null!==(t=hs(e))&&void 0!==t?t:[]].filter((e=>!r.has(e)));for(let e of s)n.add(e);r.add(e),n.delete(e)}return[...r]})(...e).map((e=>ys.get(e))).filter((e=>!!e));return 0==t.length?{}:1==t.length?t[0]:t.reduce(((e,t)=>ms(e,t)))},vs=e=>{let t=ys.get(e);return t||(t={},ys.set(e,t)),t};function bs(...e){var t,r,n;const s=e.map((e=>e.prototype)),i=cs;if(null!==i){const e=s.map((e=>e[i])).filter((e=>"function"==typeof e)),t={[i]:function(...t){for(let r of e)r.apply(this,t)}};s.push(t)}function o(...t){for(const r of e)rs(this,new r(...t));null!==i&&"function"==typeof this[i]&&this[i].apply(this,t)}var a,c;o.prototype="copy"===ls?ss(s,o):(a=s,c=o,as([...a,{constructor:c}])),Object.setPrototypeOf(o,"copy"===us?ss(e,null,["prototype"]):as(e,Function.prototype));let u=o;if("none"!==fs){const s="deep"===fs?gs(...e):((...e)=>{const t=e.map((e=>vs(e)));return 0===t.length?{}:1===t.length?t[0]:t.reduce(((e,t)=>ms(e,t)))})(...e);for(let e of null!==(t=null==s?void 0:s.class)&&void 0!==t?t:[]){const t=e(u);t&&(u=t)}ws(null!==(r=null==s?void 0:s.static)&&void 0!==r?r:{},u),ws(null!==(n=null==s?void 0:s.instance)&&void 0!==n?n:{},u.prototype)}var l,f;return l=u,f=e,ps.set(l,f),u}const ws=(e,t)=>{const r=e.property,n=e.method;if(r)for(let e in r)for(let n of r[e])n(t,e);if(n)for(let e in n)for(let r of n[e])r(t,e,Object.getOwnPropertyDescriptor(t,e))};const Es=o((function(e,t){for(var r={},n=0;n<e.length;)e[n]in t&&(r[e[n]]=t[e[n]]),n+=1;return r}));const xs=class extends es{specObj;passingOptionsNames=["specObj"];constructor({specObj:e,...t}){super({...t}),this.specObj=e}retrievePassingOptions(){return Es(this.passingOptionsNames,this)}retrieveFixedFields(e){const t=Ie(["visitors",...e,"fixedFields"],this.specObj);return"object"==typeof t&&null!==t?Object.keys(t):[]}retrieveVisitor(e){return Ne(Ge,["visitors",...e],this.specObj)?Ie(["visitors",...e],this.specObj):Ie(["visitors",...e,"$visitor"],this.specObj)}retrieveVisitorInstance(e,t={}){const r=this.retrievePassingOptions();return new(this.retrieveVisitor(e))({...r,...t})}toRefractedElement(e,t,r={}){const n=this.retrieveVisitorInstance(e,r);return n instanceof ts&&(null==n?void 0:n.constructor)===ts?sr(t):(pr(t,n,r),n.element)}};class js extends se.Om{constructor(e,t,r){super(e,t,r),this.element="requirementLevel"}}const Ss=js;class As extends(bs(xs,ts)){StringElement(e){const t=new Ss(Zn(e));return this.copyMetaAndAttributes(e,t),this.element=t,Et}}const Os=As;class Ps extends se.wE{constructor(e,t,r){super(e,t,r),this.element="standardIdentifier"}}const ks=Ps;class Ms extends(bs(xs,ts)){constructor(e){super(e),this.element=new ks}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","StandardIdentifier"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const Is=Ms;class Ns extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="requirement"}get subject(){return this.get("subject")}set subject(e){this.set("subject",e)}get level(){return this.get("level")}set level(e){this.set("level",e)}get values(){return this.get("values")}set values(e){this.set("values",e)}get follows(){return this.get("follows")}set follows(e){this.set("follows",e)}}const Ts=Ns;const Rs=class extends xs{specPath;ignoredFields;constructor({specPath:e,ignoredFields:t,...r}){super({...r}),this.specPath=e,this.ignoredFields=t||[]}ObjectElement(e){const t=this.specPath(e),r=this.retrieveFixedFields(t);return e.forEach(((e,n,s)=>{if($t(n)&&r.includes(Zn(n))&&!this.ignoredFields.includes(Zn(n))){const r=this.toRefractedElement([...t,"fixedFields",Zn(n)],e),i=new se.Pr(sr(n),r);i.classes.push("fixed-field"),this.copyMetaAndAttributes(s,i),this.element.content.push(i)}else this.ignoredFields.includes(Zn(n))||this.element.content.push(sr(s))})),this.copyMetaAndAttributes(e,this.element),Et}};class Cs extends(bs(Rs,ts)){constructor(e){super(e),this.element=new Ts,this.specPath=ee(["document","objects","Requirement"])}}const Fs=Cs;class qs extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="scenario"}get description(){return this.get("description")}set description(e){this.set("description",e)}get when(){return this.get("when")}set when(e){this.set("when",e)}get then(){return this.get("then")}set then(e){this.set("then",e)}}const $s=qs;class Ls extends(bs(Rs,ts)){constructor(e){super(e),this.element=new $s,this.specPath=ee(["document","objects","Scenario"])}}const Vs=Ls;class zs extends(bs(xs,ts)){constructor(e){super(e),this.element=new se.wE,this.element.classes.push("scenario-then")}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","Requirement"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const Bs=zs;class Ds extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="standard"}get name(){return this.get("name")}set name(e){this.set("name",e)}get description(){return this.get("description")}set description(e){this.set("description",e)}get iri(){return this.get("iri")}set iri(e){this.set("iri",e)}get level(){return this.get("level")}set level(e){this.set("level",e)}}const Us=Ds;class Gs extends(bs(Rs,ts)){constructor(e){super(e),this.element=new Us,this.specPath=ee(["document","objects","Standard"])}}const Ws=Gs;class Zs extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="principle"}get name(){return this.get("name")}set name(e){this.set("name",e)}get description(){return this.get("description")}set description(e){this.set("description",e)}get iri(){return this.get("iri")}set iri(e){this.set("iri",e)}get level(){return this.get("level")}set level(e){this.set("level",e)}}const Ks=Zs;class Hs extends(bs(Rs,ts)){constructor(e){super(e),this.element=new Ks,this.specPath=ee(["document","objects","Principle"])}}const Xs=Hs;class Js extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="info"}get title(){return this.get("title")}set title(e){this.set("title",e)}get description(){return this.get("description")}set description(e){this.set("description",e)}}const Ys=Js;class Qs extends(bs(Rs,ts)){constructor(e){super(e),this.specPath=ee(["document","objects","Info"]),this.element=new Ys}}const ei=Qs;class ti extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="main",this.classes.push("api")}get version(){return this.get("version")}set version(e){this.set("version",e)}get info(){return this.get("info")}set info(e){this.set("info",e)}get principles(){return this.get("principles")}set principles(e){this.set("principles",e)}get standards(){return this.get("standards")}set standards(e){this.set("standards",e)}get scenarios(){return this.get("scenarios")}set scenarios(e){this.set("scenarios",e)}}const ri=ti;class ni extends(bs(Rs,ts)){constructor(e){super(e),this.element=new ri,this.specPath=ee(["document","objects","Main"])}}const si=ni;class ii extends(bs(xs,ts)){constructor(e){super(e),this.element=new se.wE,this.element.classes.push("main-principles")}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","Principle"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const oi=ii;class ai extends(bs(xs,ts)){constructor(e){super(e),this.element=new se.wE,this.element.classes.push("main-standards")}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","Standard"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const ci=ai;class ui extends(bs(xs,ts)){constructor(e){super(e),this.element=new se.wE,this.element.classes.push("main-scenarios")}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","Scenario"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const li={visitors:{value:ts,document:{objects:{Main:{$visitor:si,fixedFields:{version:{$ref:"#/visitors/value"},info:{$ref:"#/visitors/document/objects/Info"},principles:oi,standards:ci,scenarios:ui}},Info:{$visitor:ei,fixedFields:{title:{$ref:"#/visitors/value"},description:{$ref:"#/visitors/value"}}},Principle:{$visitor:Xs,fixedFields:{name:{$ref:"#/visitors/value"},description:{$ref:"#/visitors/value"},iri:{$ref:"#/visitors/value"},level:{$ref:"#/visitors/document/objects/RequirementLevel"}}},Standard:{$visitor:Ws,fixedFields:{name:{$ref:"#/visitors/value"},description:{$ref:"#/visitors/value"},level:{$ref:"#/visitors/document/objects/RequirementLevel"},iri:{$ref:"#/visitors/value"}}},Scenario:{$visitor:Vs,fixedFields:{description:{$ref:"#/visitors/value"},when:{$ref:"#/visitors/document/objects/StandardIdentifier"},then:Bs}},Requirement:{$visitor:Fs,fixedFields:{subject:{$ref:"#/visitors/document/objects/StandardIdentifier"},level:{$ref:"#/visitors/document/objects/RequirementLevel"},values:{$ref:"#/visitors/value"},follows:{$ref:"#/visitors/value"}}},StandardIdentifier:{$visitor:Is},RequirementLevel:{$visitor:Os}}}}},fi=e=>{if(qt(e))return`${e.element.charAt(0).toUpperCase()+e.element.slice(1)}Element`},pi={MainElement:["content"],InfoElement:["content"],PrincipleElement:["content"],StandardElement:["content"],ScenarioElement:["content"],RequirementElement:["content"],StandardIdentifierElement:["content"],RequirementLevelElement:[],...fr},hi=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof ri||e(n)&&t("main",n)&&r("object",n))),_i=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Ys||e(n)&&t("info",n)&&r("object",n))),di=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Ks||e(n)&&t("principle",n)&&r("object",n))),mi=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Ts||e(n)&&t("requirement",n)&&r("object",n))),yi=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Ss||e(n)&&t("requirementLevel",n)&&r("string",n))),gi=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof $s||e(n)&&t("scenario",n)&&r("object",n))),vi=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Us||e(n)&&t("standard",n)&&r("object",n))),bi=Ft((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof ks||e(n)&&t("standardIdentifier",n)&&r("array",n))),wi={namespace:e=>{const{base:t}=e;return t.register("info",Ys),t.register("main",ri),t.register("principle",Ks),t.register("requirement",Ts),t.register("requirementLevel",Ss),t.register("scenario",$s),t.register("standard",Us),t.register("standardIdentifier",ks),t}},Ei=()=>{const e=ot(wi);return{predicates:{...t,isStringElement:$t},namespace:e}},xi=(e,{specPath:t=["visitors","document","objects","Main","$visitor"],plugins:r=[]}={})=>{const n=(0,se.e)(e),s=Ln(li),i=new(Ie(t,s))({specObj:s});return pr(n,i),Ar(i.element,r,{toolboxCreator:Ei,visitorOptions:{keyMap:pi,nodeTypeGetter:fi}})},ji=e=>(t,r={})=>xi(t,{...r,specPath:e});ri.refract=ji(["visitors","document","objects","Main","$visitor"]),Ys.refract=ji(["visitors","document","objects","Info","$visitor"]),Ks.refract=ji(["visitors","document","objects","Principle","$visitor"]),Ts.refract=ji(["visitors","document","objects","Requirement","$visitor"]),Ss.refract=ji(["visitors","document","objects","RequirementLevel","$visitor"]),$s.refract=ji(["visitors","document","objects","Scenario","$visitor"]),Us.refract=ji(["visitors","document","objects","Standard","$visitor"]),ks.refract=ji(["visitors","document","objects","StandardIdentifier","$visitor"]);const Si=f(-1);const Ai=class extends dt{};const Oi=class extends Ai{};const Pi=class extends Array{unknownMediaType="application/octet-stream";filterByFormat(){throw new Oi("filterByFormat method in MediaTypes class is not yet implemented.")}findBy(){throw new Oi("findBy method in MediaTypes class is not yet implemented.")}latest(){throw new Oi("latest method in MediaTypes class is not yet implemented.")}};class ki extends Pi{filterByFormat(e="generic"){const t="generic"===e?"apidesignsystems;version":e;return this.filter((e=>e.includes(t)))}findBy(e="2021-05-07",t="generic"){const r="generic"===t?`apidesignsystems;version=${e}`:`apidesignsystems+${t};version=${e}`;return this.find((e=>e.includes(r)))||this.unknownMediaType}latest(e="generic"){return Si(this.filterByFormat(e))}}const Mi=new ki("application/vnd.aai.apidesignsystems;version=2021-05-07","application/vnd.aai.apidesignsystems+json;version=2021-05-07","application/vnd.aai.apidesignsystems+yaml;version=2021-05-07"),Ii=new ki(...Mi.filterByFormat("generic"),...Mi.filterByFormat("json")),Ni=/"version"\s*:\s*"(?<version_json>2021-05-07)"/,Ti=async e=>Ni.test(e)&&await(async e=>{if(!jn.test(e))return!1;try{return"ERROR"!==(await vt(e)).rootNode.type}catch{return!1}})(e),Ri=async(e,t={})=>{const r=h({},"refractorOpts",t),n=d(["refractorOpts"],t),s=await(async(e,{sourceMap:t=!1,syntacticAnalysis:r="direct"}={})=>{const n=await vt(e);let s;return s="indirect"===r?xn(n,{sourceMap:t}):qr(n,{sourceMap:t}),s})(e,n),{result:i}=s;if(ne(i)){const e=ri.refract(i,r);e.classes.push("result"),s.replaceResult(e)}return s},Ci=ot(wi)})(),n})()));
|
|
1
|
+
!function(e,t){"object"==typeof exports&&"object"==typeof module?module.exports=t():"function"==typeof define&&define.amd?define([],t):"object"==typeof exports?exports.apidomParserAdapterApiDesignSystemsJson=t():e.apidomParserAdapterApiDesignSystemsJson=t()}(self,(()=>(()=>{var e={3103:(e,t,r)=>{var n=r(4715)(r(8942),"DataView");e.exports=n},5098:(e,t,r)=>{var n=r(3305),s=r(9361),i=r(1112),o=r(5276),a=r(5071);function c(e){var t=-1,r=null==e?0:e.length;for(this.clear();++t<r;){var n=e[t];this.set(n[0],n[1])}}c.prototype.clear=n,c.prototype.delete=s,c.prototype.get=i,c.prototype.has=o,c.prototype.set=a,e.exports=c},1386:(e,t,r)=>{var n=r(2393),s=r(2049),i=r(7144),o=r(7452),a=r(3964);function c(e){var t=-1,r=null==e?0:e.length;for(this.clear();++t<r;){var n=e[t];this.set(n[0],n[1])}}c.prototype.clear=n,c.prototype.delete=s,c.prototype.get=i,c.prototype.has=o,c.prototype.set=a,e.exports=c},9770:(e,t,r)=>{var n=r(4715)(r(8942),"Map");e.exports=n},8250:(e,t,r)=>{var n=r(9753),s=r(5681),i=r(88),o=r(4732),a=r(9068);function c(e){var t=-1,r=null==e?0:e.length;for(this.clear();++t<r;){var n=e[t];this.set(n[0],n[1])}}c.prototype.clear=n,c.prototype.delete=s,c.prototype.get=i,c.prototype.has=o,c.prototype.set=a,e.exports=c},9413:(e,t,r)=>{var n=r(4715)(r(8942),"Promise");e.exports=n},4512:(e,t,r)=>{var n=r(4715)(r(8942),"Set");e.exports=n},3212:(e,t,r)=>{var n=r(8250),s=r(1877),i=r(8006);function o(e){var t=-1,r=null==e?0:e.length;for(this.__data__=new n;++t<r;)this.add(e[t])}o.prototype.add=o.prototype.push=s,o.prototype.has=i,e.exports=o},1340:(e,t,r)=>{var n=r(1386),s=r(4103),i=r(1779),o=r(4162),a=r(7462),c=r(6638);function u(e){var t=this.__data__=new n(e);this.size=t.size}u.prototype.clear=s,u.prototype.delete=i,u.prototype.get=o,u.prototype.has=a,u.prototype.set=c,e.exports=u},5650:(e,t,r)=>{var n=r(8942).Symbol;e.exports=n},1623:(e,t,r)=>{var n=r(8942).Uint8Array;e.exports=n},9270:(e,t,r)=>{var n=r(4715)(r(8942),"WeakMap");e.exports=n},9847:e=>{e.exports=function(e,t){for(var r=-1,n=null==e?0:e.length,s=0,i=[];++r<n;){var o=e[r];t(o,r,e)&&(i[s++]=o)}return i}},358:(e,t,r)=>{var n=r(6137),s=r(3283),i=r(3142),o=r(5853),a=r(9632),c=r(8666),u=Object.prototype.hasOwnProperty;e.exports=function(e,t){var r=i(e),l=!r&&s(e),f=!r&&!l&&o(e),p=!r&&!l&&!f&&c(e),h=r||l||f||p,_=h?n(e.length,String):[],d=_.length;for(var m in e)!t&&!u.call(e,m)||h&&("length"==m||f&&("offset"==m||"parent"==m)||p&&("buffer"==m||"byteLength"==m||"byteOffset"==m)||a(m,d))||_.push(m);return _}},1129:e=>{e.exports=function(e,t){for(var r=-1,n=t.length,s=e.length;++r<n;)e[s+r]=t[r];return e}},6465:e=>{e.exports=function(e,t){for(var r=-1,n=null==e?0:e.length;++r<n;)if(t(e[r],r,e))return!0;return!1}},7034:(e,t,r)=>{var n=r(6285);e.exports=function(e,t){for(var r=e.length;r--;)if(n(e[r][0],t))return r;return-1}},8244:(e,t,r)=>{var n=r(1129),s=r(3142);e.exports=function(e,t,r){var i=t(e);return s(e)?i:n(i,r(e))}},7379:(e,t,r)=>{var n=r(5650),s=r(8870),i=r(9005),o=n?n.toStringTag:void 0;e.exports=function(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":o&&o in Object(e)?s(e):i(e)}},6027:(e,t,r)=>{var n=r(7379),s=r(547);e.exports=function(e){return s(e)&&"[object Arguments]"==n(e)}},4687:(e,t,r)=>{var n=r(353),s=r(547);e.exports=function e(t,r,i,o,a){return t===r||(null==t||null==r||!s(t)&&!s(r)?t!=t&&r!=r:n(t,r,i,o,e,a))}},353:(e,t,r)=>{var n=r(1340),s=r(3934),i=r(8861),o=r(1182),a=r(8486),c=r(3142),u=r(5853),l=r(8666),f="[object Arguments]",p="[object Array]",h="[object Object]",_=Object.prototype.hasOwnProperty;e.exports=function(e,t,r,d,m,y){var g=c(e),v=c(t),b=g?p:a(e),w=v?p:a(t),E=(b=b==f?h:b)==h,x=(w=w==f?h:w)==h,j=b==w;if(j&&u(e)){if(!u(t))return!1;g=!0,E=!1}if(j&&!E)return y||(y=new n),g||l(e)?s(e,t,r,d,m,y):i(e,t,b,r,d,m,y);if(!(1&r)){var S=E&&_.call(e,"__wrapped__"),A=x&&_.call(t,"__wrapped__");if(S||A){var O=S?e.value():e,P=A?t.value():t;return y||(y=new n),m(O,P,r,d,y)}}return!!j&&(y||(y=new n),o(e,t,r,d,m,y))}},9624:(e,t,r)=>{var n=r(3655),s=r(4759),i=r(1580),o=r(4066),a=/^\[object .+?Constructor\]$/,c=Function.prototype,u=Object.prototype,l=c.toString,f=u.hasOwnProperty,p=RegExp("^"+l.call(f).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$");e.exports=function(e){return!(!i(e)||s(e))&&(n(e)?p:a).test(o(e))}},674:(e,t,r)=>{var n=r(7379),s=r(5387),i=r(547),o={};o["[object Float32Array]"]=o["[object Float64Array]"]=o["[object Int8Array]"]=o["[object Int16Array]"]=o["[object Int32Array]"]=o["[object Uint8Array]"]=o["[object Uint8ClampedArray]"]=o["[object Uint16Array]"]=o["[object Uint32Array]"]=!0,o["[object Arguments]"]=o["[object Array]"]=o["[object ArrayBuffer]"]=o["[object Boolean]"]=o["[object DataView]"]=o["[object Date]"]=o["[object Error]"]=o["[object Function]"]=o["[object Map]"]=o["[object Number]"]=o["[object Object]"]=o["[object RegExp]"]=o["[object Set]"]=o["[object String]"]=o["[object WeakMap]"]=!1,e.exports=function(e){return i(e)&&s(e.length)&&!!o[n(e)]}},195:(e,t,r)=>{var n=r(4882),s=r(8121),i=Object.prototype.hasOwnProperty;e.exports=function(e){if(!n(e))return s(e);var t=[];for(var r in Object(e))i.call(e,r)&&"constructor"!=r&&t.push(r);return t}},6137:e=>{e.exports=function(e,t){for(var r=-1,n=Array(e);++r<e;)n[r]=t(r);return n}},9460:e=>{e.exports=function(e){return function(t){return e(t)}}},5568:e=>{e.exports=function(e,t){return e.has(t)}},1950:(e,t,r)=>{var n=r(8942)["__core-js_shared__"];e.exports=n},3934:(e,t,r)=>{var n=r(3212),s=r(6465),i=r(5568);e.exports=function(e,t,r,o,a,c){var u=1&r,l=e.length,f=t.length;if(l!=f&&!(u&&f>l))return!1;var p=c.get(e),h=c.get(t);if(p&&h)return p==t&&h==e;var _=-1,d=!0,m=2&r?new n:void 0;for(c.set(e,t),c.set(t,e);++_<l;){var y=e[_],g=t[_];if(o)var v=u?o(g,y,_,t,e,c):o(y,g,_,e,t,c);if(void 0!==v){if(v)continue;d=!1;break}if(m){if(!s(t,(function(e,t){if(!i(m,t)&&(y===e||a(y,e,r,o,c)))return m.push(t)}))){d=!1;break}}else if(y!==g&&!a(y,g,r,o,c)){d=!1;break}}return c.delete(e),c.delete(t),d}},8861:(e,t,r)=>{var n=r(5650),s=r(1623),i=r(6285),o=r(3934),a=r(5894),c=r(7447),u=n?n.prototype:void 0,l=u?u.valueOf:void 0;e.exports=function(e,t,r,n,u,f,p){switch(r){case"[object DataView]":if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case"[object ArrayBuffer]":return!(e.byteLength!=t.byteLength||!f(new s(e),new s(t)));case"[object Boolean]":case"[object Date]":case"[object Number]":return i(+e,+t);case"[object Error]":return e.name==t.name&&e.message==t.message;case"[object RegExp]":case"[object String]":return e==t+"";case"[object Map]":var h=a;case"[object Set]":var _=1&n;if(h||(h=c),e.size!=t.size&&!_)return!1;var d=p.get(e);if(d)return d==t;n|=2,p.set(e,t);var m=o(h(e),h(t),n,u,f,p);return p.delete(e),m;case"[object Symbol]":if(l)return l.call(e)==l.call(t)}return!1}},1182:(e,t,r)=>{var n=r(393),s=Object.prototype.hasOwnProperty;e.exports=function(e,t,r,i,o,a){var c=1&r,u=n(e),l=u.length;if(l!=n(t).length&&!c)return!1;for(var f=l;f--;){var p=u[f];if(!(c?p in t:s.call(t,p)))return!1}var h=a.get(e),_=a.get(t);if(h&&_)return h==t&&_==e;var d=!0;a.set(e,t),a.set(t,e);for(var m=c;++f<l;){var y=e[p=u[f]],g=t[p];if(i)var v=c?i(g,y,p,t,e,a):i(y,g,p,e,t,a);if(!(void 0===v?y===g||o(y,g,r,i,a):v)){d=!1;break}m||(m="constructor"==p)}if(d&&!m){var b=e.constructor,w=t.constructor;b==w||!("constructor"in e)||!("constructor"in t)||"function"==typeof b&&b instanceof b&&"function"==typeof w&&w instanceof w||(d=!1)}return a.delete(e),a.delete(t),d}},4967:(e,t,r)=>{var n="object"==typeof r.g&&r.g&&r.g.Object===Object&&r.g;e.exports=n},393:(e,t,r)=>{var n=r(8244),s=r(7979),i=r(1211);e.exports=function(e){return n(e,i,s)}},4700:(e,t,r)=>{var n=r(9067);e.exports=function(e,t){var r=e.__data__;return n(t)?r["string"==typeof t?"string":"hash"]:r.map}},4715:(e,t,r)=>{var n=r(9624),s=r(155);e.exports=function(e,t){var r=s(e,t);return n(r)?r:void 0}},8870:(e,t,r)=>{var n=r(5650),s=Object.prototype,i=s.hasOwnProperty,o=s.toString,a=n?n.toStringTag:void 0;e.exports=function(e){var t=i.call(e,a),r=e[a];try{e[a]=void 0;var n=!0}catch(e){}var s=o.call(e);return n&&(t?e[a]=r:delete e[a]),s}},7979:(e,t,r)=>{var n=r(9847),s=r(9306),i=Object.prototype.propertyIsEnumerable,o=Object.getOwnPropertySymbols,a=o?function(e){return null==e?[]:(e=Object(e),n(o(e),(function(t){return i.call(e,t)})))}:s;e.exports=a},8486:(e,t,r)=>{var n=r(3103),s=r(9770),i=r(9413),o=r(4512),a=r(9270),c=r(7379),u=r(4066),l="[object Map]",f="[object Promise]",p="[object Set]",h="[object WeakMap]",_="[object DataView]",d=u(n),m=u(s),y=u(i),g=u(o),v=u(a),b=c;(n&&b(new n(new ArrayBuffer(1)))!=_||s&&b(new s)!=l||i&&b(i.resolve())!=f||o&&b(new o)!=p||a&&b(new a)!=h)&&(b=function(e){var t=c(e),r="[object Object]"==t?e.constructor:void 0,n=r?u(r):"";if(n)switch(n){case d:return _;case m:return l;case y:return f;case g:return p;case v:return h}return t}),e.exports=b},155:e=>{e.exports=function(e,t){return null==e?void 0:e[t]}},3305:(e,t,r)=>{var n=r(4497);e.exports=function(){this.__data__=n?n(null):{},this.size=0}},9361:e=>{e.exports=function(e){var t=this.has(e)&&delete this.__data__[e];return this.size-=t?1:0,t}},1112:(e,t,r)=>{var n=r(4497),s=Object.prototype.hasOwnProperty;e.exports=function(e){var t=this.__data__;if(n){var r=t[e];return"__lodash_hash_undefined__"===r?void 0:r}return s.call(t,e)?t[e]:void 0}},5276:(e,t,r)=>{var n=r(4497),s=Object.prototype.hasOwnProperty;e.exports=function(e){var t=this.__data__;return n?void 0!==t[e]:s.call(t,e)}},5071:(e,t,r)=>{var n=r(4497);e.exports=function(e,t){var r=this.__data__;return this.size+=this.has(e)?0:1,r[e]=n&&void 0===t?"__lodash_hash_undefined__":t,this}},9632:e=>{var t=/^(?:0|[1-9]\d*)$/;e.exports=function(e,r){var n=typeof e;return!!(r=null==r?9007199254740991:r)&&("number"==n||"symbol"!=n&&t.test(e))&&e>-1&&e%1==0&&e<r}},9067:e=>{e.exports=function(e){var t=typeof e;return"string"==t||"number"==t||"symbol"==t||"boolean"==t?"__proto__"!==e:null===e}},4759:(e,t,r)=>{var n,s=r(1950),i=(n=/[^.]+$/.exec(s&&s.keys&&s.keys.IE_PROTO||""))?"Symbol(src)_1."+n:"";e.exports=function(e){return!!i&&i in e}},4882:e=>{var t=Object.prototype;e.exports=function(e){var r=e&&e.constructor;return e===("function"==typeof r&&r.prototype||t)}},2393:e=>{e.exports=function(){this.__data__=[],this.size=0}},2049:(e,t,r)=>{var n=r(7034),s=Array.prototype.splice;e.exports=function(e){var t=this.__data__,r=n(t,e);return!(r<0)&&(r==t.length-1?t.pop():s.call(t,r,1),--this.size,!0)}},7144:(e,t,r)=>{var n=r(7034);e.exports=function(e){var t=this.__data__,r=n(t,e);return r<0?void 0:t[r][1]}},7452:(e,t,r)=>{var n=r(7034);e.exports=function(e){return n(this.__data__,e)>-1}},3964:(e,t,r)=>{var n=r(7034);e.exports=function(e,t){var r=this.__data__,s=n(r,e);return s<0?(++this.size,r.push([e,t])):r[s][1]=t,this}},9753:(e,t,r)=>{var n=r(5098),s=r(1386),i=r(9770);e.exports=function(){this.size=0,this.__data__={hash:new n,map:new(i||s),string:new n}}},5681:(e,t,r)=>{var n=r(4700);e.exports=function(e){var t=n(this,e).delete(e);return this.size-=t?1:0,t}},88:(e,t,r)=>{var n=r(4700);e.exports=function(e){return n(this,e).get(e)}},4732:(e,t,r)=>{var n=r(4700);e.exports=function(e){return n(this,e).has(e)}},9068:(e,t,r)=>{var n=r(4700);e.exports=function(e,t){var r=n(this,e),s=r.size;return r.set(e,t),this.size+=r.size==s?0:1,this}},5894:e=>{e.exports=function(e){var t=-1,r=Array(e.size);return e.forEach((function(e,n){r[++t]=[n,e]})),r}},4497:(e,t,r)=>{var n=r(4715)(Object,"create");e.exports=n},8121:(e,t,r)=>{var n=r(3766)(Object.keys,Object);e.exports=n},2306:(e,t,r)=>{e=r.nmd(e);var n=r(4967),s=t&&!t.nodeType&&t,i=s&&e&&!e.nodeType&&e,o=i&&i.exports===s&&n.process,a=function(){try{var e=i&&i.require&&i.require("util").types;return e||o&&o.binding&&o.binding("util")}catch(e){}}();e.exports=a},9005:e=>{var t=Object.prototype.toString;e.exports=function(e){return t.call(e)}},3766:e=>{e.exports=function(e,t){return function(r){return e(t(r))}}},8942:(e,t,r)=>{var n=r(4967),s="object"==typeof self&&self&&self.Object===Object&&self,i=n||s||Function("return this")();e.exports=i},1877:e=>{e.exports=function(e){return this.__data__.set(e,"__lodash_hash_undefined__"),this}},8006:e=>{e.exports=function(e){return this.__data__.has(e)}},7447:e=>{e.exports=function(e){var t=-1,r=Array(e.size);return e.forEach((function(e){r[++t]=e})),r}},4103:(e,t,r)=>{var n=r(1386);e.exports=function(){this.__data__=new n,this.size=0}},1779:e=>{e.exports=function(e){var t=this.__data__,r=t.delete(e);return this.size=t.size,r}},4162:e=>{e.exports=function(e){return this.__data__.get(e)}},7462:e=>{e.exports=function(e){return this.__data__.has(e)}},6638:(e,t,r)=>{var n=r(1386),s=r(9770),i=r(8250);e.exports=function(e,t){var r=this.__data__;if(r instanceof n){var o=r.__data__;if(!s||o.length<199)return o.push([e,t]),this.size=++r.size,this;r=this.__data__=new i(o)}return r.set(e,t),this.size=r.size,this}},4066:e=>{var t=Function.prototype.toString;e.exports=function(e){if(null!=e){try{return t.call(e)}catch(e){}try{return e+""}catch(e){}}return""}},6285:e=>{e.exports=function(e,t){return e===t||e!=e&&t!=t}},3283:(e,t,r)=>{var n=r(6027),s=r(547),i=Object.prototype,o=i.hasOwnProperty,a=i.propertyIsEnumerable,c=n(function(){return arguments}())?n:function(e){return s(e)&&o.call(e,"callee")&&!a.call(e,"callee")};e.exports=c},3142:e=>{var t=Array.isArray;e.exports=t},6529:(e,t,r)=>{var n=r(3655),s=r(5387);e.exports=function(e){return null!=e&&s(e.length)&&!n(e)}},2563:(e,t,r)=>{var n=r(7379),s=r(547);e.exports=function(e){return!0===e||!1===e||s(e)&&"[object Boolean]"==n(e)}},5853:(e,t,r)=>{e=r.nmd(e);var n=r(8942),s=r(4772),i=t&&!t.nodeType&&t,o=i&&e&&!e.nodeType&&e,a=o&&o.exports===i?n.Buffer:void 0,c=(a?a.isBuffer:void 0)||s;e.exports=c},6343:(e,t,r)=>{var n=r(4687);e.exports=function(e,t){return n(e,t)}},3655:(e,t,r)=>{var n=r(7379),s=r(1580);e.exports=function(e){if(!s(e))return!1;var t=n(e);return"[object Function]"==t||"[object GeneratorFunction]"==t||"[object AsyncFunction]"==t||"[object Proxy]"==t}},5387:e=>{e.exports=function(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=9007199254740991}},9310:e=>{e.exports=function(e){return null===e}},986:(e,t,r)=>{var n=r(7379),s=r(547);e.exports=function(e){return"number"==typeof e||s(e)&&"[object Number]"==n(e)}},1580:e=>{e.exports=function(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}},547:e=>{e.exports=function(e){return null!=e&&"object"==typeof e}},8138:(e,t,r)=>{var n=r(7379),s=r(3142),i=r(547);e.exports=function(e){return"string"==typeof e||!s(e)&&i(e)&&"[object String]"==n(e)}},8666:(e,t,r)=>{var n=r(674),s=r(9460),i=r(2306),o=i&&i.isTypedArray,a=o?s(o):n;e.exports=a},1211:(e,t,r)=>{var n=r(358),s=r(195),i=r(6529);e.exports=function(e){return i(e)?n(e):s(e)}},1517:e=>{e.exports=function(e){if("function"!=typeof e)throw new TypeError("Expected a function");return function(){var t=arguments;switch(t.length){case 0:return!e.call(this);case 1:return!e.call(this,t[0]);case 2:return!e.call(this,t[0],t[1]);case 3:return!e.call(this,t[0],t[1],t[2])}return!e.apply(this,t)}}},9306:e=>{e.exports=function(){return[]}},4772:e=>{e.exports=function(){return!1}},4123:(e,t,r)=>{const n=r(1517);function s(e){return"string"==typeof e?t=>t.element===e:e.constructor&&e.extend?t=>t instanceof e:e}class i{constructor(e){this.elements=e||[]}toValue(){return this.elements.map((e=>e.toValue()))}map(e,t){return this.elements.map(e,t)}flatMap(e,t){return this.map(e,t).reduce(((e,t)=>e.concat(t)),[])}compactMap(e,t){const r=[];return this.forEach((n=>{const s=e.bind(t)(n);s&&r.push(s)})),r}filter(e,t){return e=s(e),new i(this.elements.filter(e,t))}reject(e,t){return e=s(e),new i(this.elements.filter(n(e),t))}find(e,t){return e=s(e),this.elements.find(e,t)}forEach(e,t){this.elements.forEach(e,t)}reduce(e,t){return this.elements.reduce(e,t)}includes(e){return this.elements.some((t=>t.equals(e)))}shift(){return this.elements.shift()}unshift(e){this.elements.unshift(this.refract(e))}push(e){return this.elements.push(this.refract(e)),this}add(e){this.push(e)}get(e){return this.elements[e]}getValue(e){const t=this.elements[e];if(t)return t.toValue()}get length(){return this.elements.length}get isEmpty(){return 0===this.elements.length}get first(){return this.elements[0]}}"undefined"!=typeof Symbol&&(i.prototype[Symbol.iterator]=function(){return this.elements[Symbol.iterator]()}),e.exports=i},2322:e=>{class t{constructor(e,t){this.key=e,this.value=t}clone(){const e=new t;return this.key&&(e.key=this.key.clone()),this.value&&(e.value=this.value.clone()),e}}e.exports=t},5735:(e,t,r)=>{const n=r(9310),s=r(8138),i=r(986),o=r(2563),a=r(1580),c=r(394),u=r(7547);class l{constructor(e){this.elementMap={},this.elementDetection=[],this.Element=u.Element,this.KeyValuePair=u.KeyValuePair,e&&e.noDefault||this.useDefault(),this._attributeElementKeys=[],this._attributeElementArrayKeys=[]}use(e){return e.namespace&&e.namespace({base:this}),e.load&&e.load({base:this}),this}useDefault(){return this.register("null",u.NullElement).register("string",u.StringElement).register("number",u.NumberElement).register("boolean",u.BooleanElement).register("array",u.ArrayElement).register("object",u.ObjectElement).register("member",u.MemberElement).register("ref",u.RefElement).register("link",u.LinkElement),this.detect(n,u.NullElement,!1).detect(s,u.StringElement,!1).detect(i,u.NumberElement,!1).detect(o,u.BooleanElement,!1).detect(Array.isArray,u.ArrayElement,!1).detect(a,u.ObjectElement,!1),this}register(e,t){return this._elements=void 0,this.elementMap[e]=t,this}unregister(e){return this._elements=void 0,delete this.elementMap[e],this}detect(e,t,r){return void 0===r||r?this.elementDetection.unshift([e,t]):this.elementDetection.push([e,t]),this}toElement(e){if(e instanceof this.Element)return e;let t;for(let r=0;r<this.elementDetection.length;r+=1){const n=this.elementDetection[r][0],s=this.elementDetection[r][1];if(n(e)){t=new s(e);break}}return t}getElementClass(e){const t=this.elementMap[e];return void 0===t?this.Element:t}fromRefract(e){return this.serialiser.deserialise(e)}toRefract(e){return this.serialiser.serialise(e)}get elements(){return void 0===this._elements&&(this._elements={Element:this.Element},Object.keys(this.elementMap).forEach((e=>{const t=e[0].toUpperCase()+e.substr(1);this._elements[t]=this.elementMap[e]}))),this._elements}get serialiser(){return new c(this)}}c.prototype.Namespace=l,e.exports=l},3311:(e,t,r)=>{const n=r(1517),s=r(4123);class i extends s{map(e,t){return this.elements.map((r=>e.bind(t)(r.value,r.key,r)))}filter(e,t){return new i(this.elements.filter((r=>e.bind(t)(r.value,r.key,r))))}reject(e,t){return this.filter(n(e.bind(t)))}forEach(e,t){return this.elements.forEach(((r,n)=>{e.bind(t)(r.value,r.key,r,n)}))}keys(){return this.map(((e,t)=>t.toValue()))}values(){return this.map((e=>e.toValue()))}}e.exports=i},7547:(e,t,r)=>{const n=r(8631),s=r(3004),i=r(8712),o=r(2536),a=r(2555),c=r(9796),u=r(7309),l=r(5642),f=r(9620),p=r(593),h=r(4123),_=r(3311),d=r(2322);function m(e){if(e instanceof n)return e;if("string"==typeof e)return new i(e);if("number"==typeof e)return new o(e);if("boolean"==typeof e)return new a(e);if(null===e)return new s;if(Array.isArray(e))return new c(e.map(m));if("object"==typeof e){return new l(e)}return e}n.prototype.ObjectElement=l,n.prototype.RefElement=p,n.prototype.MemberElement=u,n.prototype.refract=m,h.prototype.refract=m,e.exports={Element:n,NullElement:s,StringElement:i,NumberElement:o,BooleanElement:a,ArrayElement:c,MemberElement:u,ObjectElement:l,LinkElement:f,RefElement:p,refract:m,ArraySlice:h,ObjectSlice:_,KeyValuePair:d}},9620:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e||[],t,r),this.element="link"}get relation(){return this.attributes.get("relation")}set relation(e){this.attributes.set("relation",e)}get href(){return this.attributes.get("href")}set href(e){this.attributes.set("href",e)}}},593:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e||[],t,r),this.element="ref",this.path||(this.path="element")}get path(){return this.attributes.get("path")}set path(e){this.attributes.set("path",e)}}},8326:(e,t,r)=>{const n=r(5735),s=r(7547);t.g$=n,t.KeyValuePair=r(2322),t.G6=s.ArraySlice,t.ot=s.ObjectSlice,t.Hg=s.Element,t.Om=s.StringElement,t.kT=s.NumberElement,t.bd=s.BooleanElement,t.Os=s.NullElement,t.wE=s.ArrayElement,t.Sh=s.ObjectElement,t.Pr=s.MemberElement,t.sI=s.RefElement,t.Ft=s.LinkElement,t.e=s.refract,r(394),r(3148)},9796:(e,t,r)=>{const n=r(1517),s=r(8631),i=r(4123);class o extends s{constructor(e,t,r){super(e||[],t,r),this.element="array"}primitive(){return"array"}get(e){return this.content[e]}getValue(e){const t=this.get(e);if(t)return t.toValue()}getIndex(e){return this.content[e]}set(e,t){return this.content[e]=this.refract(t),this}remove(e){const t=this.content.splice(e,1);return t.length?t[0]:null}map(e,t){return this.content.map(e,t)}flatMap(e,t){return this.map(e,t).reduce(((e,t)=>e.concat(t)),[])}compactMap(e,t){const r=[];return this.forEach((n=>{const s=e.bind(t)(n);s&&r.push(s)})),r}filter(e,t){return new i(this.content.filter(e,t))}reject(e,t){return this.filter(n(e),t)}reduce(e,t){let r,n;void 0!==t?(r=0,n=this.refract(t)):(r=1,n="object"===this.primitive()?this.first.value:this.first);for(let t=r;t<this.length;t+=1){const r=this.content[t];n="object"===this.primitive()?this.refract(e(n,r.value,r.key,r,this)):this.refract(e(n,r,t,this))}return n}forEach(e,t){this.content.forEach(((r,n)=>{e.bind(t)(r,this.refract(n))}))}shift(){return this.content.shift()}unshift(e){this.content.unshift(this.refract(e))}push(e){return this.content.push(this.refract(e)),this}add(e){this.push(e)}findElements(e,t){const r=t||{},n=!!r.recursive,s=void 0===r.results?[]:r.results;return this.forEach(((t,r,i)=>{n&&void 0!==t.findElements&&t.findElements(e,{results:s,recursive:n}),e(t,r,i)&&s.push(t)})),s}find(e){return new i(this.findElements(e,{recursive:!0}))}findByElement(e){return this.find((t=>t.element===e))}findByClass(e){return this.find((t=>t.classes.includes(e)))}getById(e){return this.find((t=>t.id.toValue()===e)).first}includes(e){return this.content.some((t=>t.equals(e)))}contains(e){return this.includes(e)}empty(){return new this.constructor([])}"fantasy-land/empty"(){return this.empty()}concat(e){return new this.constructor(this.content.concat(e.content))}"fantasy-land/concat"(e){return this.concat(e)}"fantasy-land/map"(e){return new this.constructor(this.map(e))}"fantasy-land/chain"(e){return this.map((t=>e(t)),this).reduce(((e,t)=>e.concat(t)),this.empty())}"fantasy-land/filter"(e){return new this.constructor(this.content.filter(e))}"fantasy-land/reduce"(e,t){return this.content.reduce(e,t)}get length(){return this.content.length}get isEmpty(){return 0===this.content.length}get first(){return this.getIndex(0)}get second(){return this.getIndex(1)}get last(){return this.getIndex(this.length-1)}}o.empty=function(){return new this},o["fantasy-land/empty"]=o.empty,"undefined"!=typeof Symbol&&(o.prototype[Symbol.iterator]=function(){return this.content[Symbol.iterator]()}),e.exports=o},2555:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e,t,r),this.element="boolean"}primitive(){return"boolean"}}},8631:(e,t,r)=>{const n=r(6343),s=r(2322),i=r(4123);class o{constructor(e,t,r){t&&(this.meta=t),r&&(this.attributes=r),this.content=e}freeze(){Object.isFrozen(this)||(this._meta&&(this.meta.parent=this,this.meta.freeze()),this._attributes&&(this.attributes.parent=this,this.attributes.freeze()),this.children.forEach((e=>{e.parent=this,e.freeze()}),this),this.content&&Array.isArray(this.content)&&Object.freeze(this.content),Object.freeze(this))}primitive(){}clone(){const e=new this.constructor;return e.element=this.element,this.meta.length&&(e._meta=this.meta.clone()),this.attributes.length&&(e._attributes=this.attributes.clone()),this.content?this.content.clone?e.content=this.content.clone():Array.isArray(this.content)?e.content=this.content.map((e=>e.clone())):e.content=this.content:e.content=this.content,e}toValue(){return this.content instanceof o?this.content.toValue():this.content instanceof s?{key:this.content.key.toValue(),value:this.content.value?this.content.value.toValue():void 0}:this.content&&this.content.map?this.content.map((e=>e.toValue()),this):this.content}toRef(e){if(""===this.id.toValue())throw Error("Cannot create reference to an element that does not contain an ID");const t=new this.RefElement(this.id.toValue());return e&&(t.path=e),t}findRecursive(...e){if(arguments.length>1&&!this.isFrozen)throw new Error("Cannot find recursive with multiple element names without first freezing the element. Call `element.freeze()`");const t=e.pop();let r=new i;const n=(e,t)=>(e.push(t),e),o=(e,r)=>{r.element===t&&e.push(r);const i=r.findRecursive(t);return i&&i.reduce(n,e),r.content instanceof s&&(r.content.key&&o(e,r.content.key),r.content.value&&o(e,r.content.value)),e};return this.content&&(this.content.element&&o(r,this.content),Array.isArray(this.content)&&this.content.reduce(o,r)),e.isEmpty||(r=r.filter((t=>{let r=t.parents.map((e=>e.element));for(const t in e){const n=e[t],s=r.indexOf(n);if(-1===s)return!1;r=r.splice(0,s)}return!0}))),r}set(e){return this.content=e,this}equals(e){return n(this.toValue(),e)}getMetaProperty(e,t){if(!this.meta.hasKey(e)){if(this.isFrozen){const e=this.refract(t);return e.freeze(),e}this.meta.set(e,t)}return this.meta.get(e)}setMetaProperty(e,t){this.meta.set(e,t)}get element(){return this._storedElement||"element"}set element(e){this._storedElement=e}get content(){return this._content}set content(e){if(e instanceof o)this._content=e;else if(e instanceof i)this.content=e.elements;else if("string"==typeof e||"number"==typeof e||"boolean"==typeof e||"null"===e||null==e)this._content=e;else if(e instanceof s)this._content=e;else if(Array.isArray(e))this._content=e.map(this.refract);else{if("object"!=typeof e)throw new Error("Cannot set content to given value");this._content=Object.keys(e).map((t=>new this.MemberElement(t,e[t])))}}get meta(){if(!this._meta){if(this.isFrozen){const e=new this.ObjectElement;return e.freeze(),e}this._meta=new this.ObjectElement}return this._meta}set meta(e){e instanceof this.ObjectElement?this._meta=e:this.meta.set(e||{})}get attributes(){if(!this._attributes){if(this.isFrozen){const e=new this.ObjectElement;return e.freeze(),e}this._attributes=new this.ObjectElement}return this._attributes}set attributes(e){e instanceof this.ObjectElement?this._attributes=e:this.attributes.set(e||{})}get id(){return this.getMetaProperty("id","")}set id(e){this.setMetaProperty("id",e)}get classes(){return this.getMetaProperty("classes",[])}set classes(e){this.setMetaProperty("classes",e)}get title(){return this.getMetaProperty("title","")}set title(e){this.setMetaProperty("title",e)}get description(){return this.getMetaProperty("description","")}set description(e){this.setMetaProperty("description",e)}get links(){return this.getMetaProperty("links",[])}set links(e){this.setMetaProperty("links",e)}get isFrozen(){return Object.isFrozen(this)}get parents(){let{parent:e}=this;const t=new i;for(;e;)t.push(e),e=e.parent;return t}get children(){if(Array.isArray(this.content))return new i(this.content);if(this.content instanceof s){const e=new i([this.content.key]);return this.content.value&&e.push(this.content.value),e}return this.content instanceof o?new i([this.content]):new i}get recursiveChildren(){const e=new i;return this.children.forEach((t=>{e.push(t),t.recursiveChildren.forEach((t=>{e.push(t)}))})),e}}e.exports=o},7309:(e,t,r)=>{const n=r(2322),s=r(8631);e.exports=class extends s{constructor(e,t,r,s){super(new n,r,s),this.element="member",this.key=e,this.value=t}get key(){return this.content.key}set key(e){this.content.key=this.refract(e)}get value(){return this.content.value}set value(e){this.content.value=this.refract(e)}}},3004:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e||null,t,r),this.element="null"}primitive(){return"null"}set(){return new Error("Cannot set the value of null")}}},2536:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e,t,r),this.element="number"}primitive(){return"number"}}},5642:(e,t,r)=>{const n=r(1517),s=r(1580),i=r(9796),o=r(7309),a=r(3311);e.exports=class extends i{constructor(e,t,r){super(e||[],t,r),this.element="object"}primitive(){return"object"}toValue(){return this.content.reduce(((e,t)=>(e[t.key.toValue()]=t.value?t.value.toValue():void 0,e)),{})}get(e){const t=this.getMember(e);if(t)return t.value}getMember(e){if(void 0!==e)return this.content.find((t=>t.key.toValue()===e))}remove(e){let t=null;return this.content=this.content.filter((r=>r.key.toValue()!==e||(t=r,!1))),t}getKey(e){const t=this.getMember(e);if(t)return t.key}set(e,t){if(s(e))return Object.keys(e).forEach((t=>{this.set(t,e[t])})),this;const r=e,n=this.getMember(r);return n?n.value=t:this.content.push(new o(r,t)),this}keys(){return this.content.map((e=>e.key.toValue()))}values(){return this.content.map((e=>e.value.toValue()))}hasKey(e){return this.content.some((t=>t.key.equals(e)))}items(){return this.content.map((e=>[e.key.toValue(),e.value.toValue()]))}map(e,t){return this.content.map((r=>e.bind(t)(r.value,r.key,r)))}compactMap(e,t){const r=[];return this.forEach(((n,s,i)=>{const o=e.bind(t)(n,s,i);o&&r.push(o)})),r}filter(e,t){return new a(this.content).filter(e,t)}reject(e,t){return this.filter(n(e),t)}forEach(e,t){return this.content.forEach((r=>e.bind(t)(r.value,r.key,r)))}}},8712:(e,t,r)=>{const n=r(8631);e.exports=class extends n{constructor(e,t,r){super(e,t,r),this.element="string"}primitive(){return"string"}get length(){return this.content.length}}},3148:(e,t,r)=>{const n=r(394);e.exports=class extends n{serialise(e){if(!(e instanceof this.namespace.elements.Element))throw new TypeError(`Given element \`${e}\` is not an Element instance`);let t;e._attributes&&e.attributes.get("variable")&&(t=e.attributes.get("variable"));const r={element:e.element};e._meta&&e._meta.length>0&&(r.meta=this.serialiseObject(e.meta));const n="enum"===e.element||-1!==e.attributes.keys().indexOf("enumerations");if(n){const t=this.enumSerialiseAttributes(e);t&&(r.attributes=t)}else if(e._attributes&&e._attributes.length>0){let{attributes:n}=e;n.get("metadata")&&(n=n.clone(),n.set("meta",n.get("metadata")),n.remove("metadata")),"member"===e.element&&t&&(n=n.clone(),n.remove("variable")),n.length>0&&(r.attributes=this.serialiseObject(n))}if(n)r.content=this.enumSerialiseContent(e,r);else if(this[`${e.element}SerialiseContent`])r.content=this[`${e.element}SerialiseContent`](e,r);else if(void 0!==e.content){let n;t&&e.content.key?(n=e.content.clone(),n.key.attributes.set("variable",t),n=this.serialiseContent(n)):n=this.serialiseContent(e.content),this.shouldSerialiseContent(e,n)&&(r.content=n)}else this.shouldSerialiseContent(e,e.content)&&e instanceof this.namespace.elements.Array&&(r.content=[]);return r}shouldSerialiseContent(e,t){return"parseResult"===e.element||"httpRequest"===e.element||"httpResponse"===e.element||"category"===e.element||"link"===e.element||void 0!==t&&(!Array.isArray(t)||0!==t.length)}refSerialiseContent(e,t){return delete t.attributes,{href:e.toValue(),path:e.path.toValue()}}sourceMapSerialiseContent(e){return e.toValue()}dataStructureSerialiseContent(e){return[this.serialiseContent(e.content)]}enumSerialiseAttributes(e){const t=e.attributes.clone(),r=t.remove("enumerations")||new this.namespace.elements.Array([]),n=t.get("default");let s=t.get("samples")||new this.namespace.elements.Array([]);if(n&&n.content&&(n.content.attributes&&n.content.attributes.remove("typeAttributes"),t.set("default",new this.namespace.elements.Array([n.content]))),s.forEach((e=>{e.content&&e.content.element&&e.content.attributes.remove("typeAttributes")})),e.content&&0!==r.length&&s.unshift(e.content),s=s.map((e=>e instanceof this.namespace.elements.Array?[e]:new this.namespace.elements.Array([e.content]))),s.length&&t.set("samples",s),t.length>0)return this.serialiseObject(t)}enumSerialiseContent(e){if(e._attributes){const t=e.attributes.get("enumerations");if(t&&t.length>0)return t.content.map((e=>{const t=e.clone();return t.attributes.remove("typeAttributes"),this.serialise(t)}))}if(e.content){const t=e.content.clone();return t.attributes.remove("typeAttributes"),[this.serialise(t)]}return[]}deserialise(e){if("string"==typeof e)return new this.namespace.elements.String(e);if("number"==typeof e)return new this.namespace.elements.Number(e);if("boolean"==typeof e)return new this.namespace.elements.Boolean(e);if(null===e)return new this.namespace.elements.Null;if(Array.isArray(e))return new this.namespace.elements.Array(e.map(this.deserialise,this));const t=this.namespace.getElementClass(e.element),r=new t;r.element!==e.element&&(r.element=e.element),e.meta&&this.deserialiseObject(e.meta,r.meta),e.attributes&&this.deserialiseObject(e.attributes,r.attributes);const n=this.deserialiseContent(e.content);if(void 0===n&&null!==r.content||(r.content=n),"enum"===r.element){r.content&&r.attributes.set("enumerations",r.content);let e=r.attributes.get("samples");if(r.attributes.remove("samples"),e){const n=e;e=new this.namespace.elements.Array,n.forEach((n=>{n.forEach((n=>{const s=new t(n);s.element=r.element,e.push(s)}))}));const s=e.shift();r.content=s?s.content:void 0,r.attributes.set("samples",e)}else r.content=void 0;let n=r.attributes.get("default");if(n&&n.length>0){n=n.get(0);const e=new t(n);e.element=r.element,r.attributes.set("default",e)}}else if("dataStructure"===r.element&&Array.isArray(r.content))[r.content]=r.content;else if("category"===r.element){const e=r.attributes.get("meta");e&&(r.attributes.set("metadata",e),r.attributes.remove("meta"))}else"member"===r.element&&r.key&&r.key._attributes&&r.key._attributes.getValue("variable")&&(r.attributes.set("variable",r.key.attributes.get("variable")),r.key.attributes.remove("variable"));return r}serialiseContent(e){if(e instanceof this.namespace.elements.Element)return this.serialise(e);if(e instanceof this.namespace.KeyValuePair){const t={key:this.serialise(e.key)};return e.value&&(t.value=this.serialise(e.value)),t}return e&&e.map?e.map(this.serialise,this):e}deserialiseContent(e){if(e){if(e.element)return this.deserialise(e);if(e.key){const t=new this.namespace.KeyValuePair(this.deserialise(e.key));return e.value&&(t.value=this.deserialise(e.value)),t}if(e.map)return e.map(this.deserialise,this)}return e}shouldRefract(e){return!!(e._attributes&&e.attributes.keys().length||e._meta&&e.meta.keys().length)||"enum"!==e.element&&(e.element!==e.primitive()||"member"===e.element)}convertKeyToRefract(e,t){return this.shouldRefract(t)?this.serialise(t):"enum"===t.element?this.serialiseEnum(t):"array"===t.element?t.map((t=>this.shouldRefract(t)||"default"===e?this.serialise(t):"array"===t.element||"object"===t.element||"enum"===t.element?t.children.map((e=>this.serialise(e))):t.toValue())):"object"===t.element?(t.content||[]).map(this.serialise,this):t.toValue()}serialiseEnum(e){return e.children.map((e=>this.serialise(e)))}serialiseObject(e){const t={};return e.forEach(((e,r)=>{if(e){const n=r.toValue();t[n]=this.convertKeyToRefract(n,e)}})),t}deserialiseObject(e,t){Object.keys(e).forEach((r=>{t.set(r,this.deserialise(e[r]))}))}}},394:e=>{e.exports=class{constructor(e){this.namespace=e||new this.Namespace}serialise(e){if(!(e instanceof this.namespace.elements.Element))throw new TypeError(`Given element \`${e}\` is not an Element instance`);const t={element:e.element};e._meta&&e._meta.length>0&&(t.meta=this.serialiseObject(e.meta)),e._attributes&&e._attributes.length>0&&(t.attributes=this.serialiseObject(e.attributes));const r=this.serialiseContent(e.content);return void 0!==r&&(t.content=r),t}deserialise(e){if(!e.element)throw new Error("Given value is not an object containing an element name");const t=new(this.namespace.getElementClass(e.element));t.element!==e.element&&(t.element=e.element),e.meta&&this.deserialiseObject(e.meta,t.meta),e.attributes&&this.deserialiseObject(e.attributes,t.attributes);const r=this.deserialiseContent(e.content);return void 0===r&&null!==t.content||(t.content=r),t}serialiseContent(e){if(e instanceof this.namespace.elements.Element)return this.serialise(e);if(e instanceof this.namespace.KeyValuePair){const t={key:this.serialise(e.key)};return e.value&&(t.value=this.serialise(e.value)),t}if(e&&e.map){if(0===e.length)return;return e.map(this.serialise,this)}return e}deserialiseContent(e){if(e){if(e.element)return this.deserialise(e);if(e.key){const t=new this.namespace.KeyValuePair(this.deserialise(e.key));return e.value&&(t.value=this.deserialise(e.value)),t}if(e.map)return e.map(this.deserialise,this)}return e}serialiseObject(e){const t={};if(e.forEach(((e,r)=>{e&&(t[r.toValue()]=this.serialise(e))})),0!==Object.keys(t).length)return t}deserialiseObject(e,t){Object.keys(e).forEach((r=>{t.set(r,this.deserialise(e[r]))}))}}},3833:(e,t,r)=>{var n=void 0!==n?n:{},s=function(){var t,s="object"==typeof window?{currentScript:window.document.currentScript}:null;class i{constructor(){this.initialize()}initialize(){throw new Error("cannot construct a Parser before calling `init()`")}static init(o){return t||(n=Object.assign({},n,o),t=new Promise((t=>{var o,a={};for(o in n)n.hasOwnProperty(o)&&(a[o]=n[o]);var c,u,l,f,p=[],h="./this.program",_=function(e,t){throw t};l="object"==typeof window,f="function"==typeof importScripts,c="object"==typeof process&&"object"==typeof process.versions&&"string"==typeof process.versions.node,u=!l&&!c&&!f;var d,m,y,g,v,b="";c?(b=f?r(4142).dirname(b)+"/":"//",d=function(e,t){return g||(g=r(3078)),v||(v=r(4142)),e=v.normalize(e),g.readFileSync(e,t?null:"utf8")},y=function(e){var t=d(e,!0);return t.buffer||(t=new Uint8Array(t)),T(t.buffer),t},process.argv.length>1&&(h=process.argv[1].replace(/\\/g,"/")),p=process.argv.slice(2),e.exports=n,_=function(e){process.exit(e)},n.inspect=function(){return"[Emscripten Module object]"}):u?("undefined"!=typeof read&&(d=function(e){return read(e)}),y=function(e){var t;return"function"==typeof readbuffer?new Uint8Array(readbuffer(e)):(T("object"==typeof(t=read(e,"binary"))),t)},"undefined"!=typeof scriptArgs?p=scriptArgs:void 0!==arguments&&(p=arguments),"function"==typeof quit&&(_=function(e){quit(e)}),"undefined"!=typeof print&&("undefined"==typeof console&&(console={}),console.log=print,console.warn=console.error="undefined"!=typeof printErr?printErr:print)):(l||f)&&(f?b=self.location.href:void 0!==s&&s.currentScript&&(b=s.currentScript.src),b=0!==b.indexOf("blob:")?b.substr(0,b.lastIndexOf("/")+1):"",d=function(e){var t=new XMLHttpRequest;return t.open("GET",e,!1),t.send(null),t.responseText},f&&(y=function(e){var t=new XMLHttpRequest;return t.open("GET",e,!1),t.responseType="arraybuffer",t.send(null),new Uint8Array(t.response)}),m=function(e,t,r){var n=new XMLHttpRequest;n.open("GET",e,!0),n.responseType="arraybuffer",n.onload=function(){200==n.status||0==n.status&&n.response?t(n.response):r()},n.onerror=r,n.send(null)}),n.print||console.log.bind(console);var w=n.printErr||console.warn.bind(console);for(o in a)a.hasOwnProperty(o)&&(n[o]=a[o]);a=null,n.arguments&&(p=n.arguments),n.thisProgram&&(h=n.thisProgram),n.quit&&(_=n.quit);var E,x=16,j=[];function S(e,t){if(!E){E=new WeakMap;for(var r=0;r<X.length;r++){var n=X.get(r);n&&E.set(n,r)}}if(E.has(e))return E.get(e);var s=function(){if(j.length)return j.pop();try{X.grow(1)}catch(e){if(!(e instanceof RangeError))throw e;throw"Unable to grow wasm table. Set ALLOW_TABLE_GROWTH."}return X.length-1}();try{X.set(s,e)}catch(r){if(!(r instanceof TypeError))throw r;var i=function(e,t){if("function"==typeof WebAssembly.Function){for(var r={i:"i32",j:"i64",f:"f32",d:"f64"},n={parameters:[],results:"v"==t[0]?[]:[r[t[0]]]},s=1;s<t.length;++s)n.parameters.push(r[t[s]]);return new WebAssembly.Function(n,e)}var i=[1,0,1,96],o=t.slice(0,1),a=t.slice(1),c={i:127,j:126,f:125,d:124};for(i.push(a.length),s=0;s<a.length;++s)i.push(c[a[s]]);"v"==o?i.push(0):i=i.concat([1,c[o]]),i[1]=i.length-2;var u=new Uint8Array([0,97,115,109,1,0,0,0].concat(i,[2,7,1,1,101,1,102,0,0,7,5,1,1,102,0,0])),l=new WebAssembly.Module(u);return new WebAssembly.Instance(l,{e:{f:e}}).exports.f}(e,t);X.set(s,i)}return E.set(e,s),s}var A,O=n.dynamicLibraries||[];n.wasmBinary&&(A=n.wasmBinary);var P,k=n.noExitRuntime||!0;function M(e,t,r,n){switch("*"===(r=r||"i8").charAt(r.length-1)&&(r="i32"),r){case"i1":case"i8":C[e>>0]=t;break;case"i16":q[e>>1]=t;break;case"i32":$[e>>2]=t;break;case"i64":le=[t>>>0,(ue=t,+Math.abs(ue)>=1?ue>0?(0|Math.min(+Math.floor(ue/4294967296),4294967295))>>>0:~~+Math.ceil((ue-+(~~ue>>>0))/4294967296)>>>0:0)],$[e>>2]=le[0],$[e+4>>2]=le[1];break;case"float":L[e>>2]=t;break;case"double":V[e>>3]=t;break;default:ae("invalid type for setValue: "+r)}}function I(e,t,r){switch("*"===(t=t||"i8").charAt(t.length-1)&&(t="i32"),t){case"i1":case"i8":return C[e>>0];case"i16":return q[e>>1];case"i32":case"i64":return $[e>>2];case"float":return L[e>>2];case"double":return V[e>>3];default:ae("invalid type for getValue: "+t)}return null}"object"!=typeof WebAssembly&&ae("no native wasm support detected");var N=!1;function T(e,t){e||ae("Assertion failed: "+t)}var R,C,F,q,$,L,V,z="undefined"!=typeof TextDecoder?new TextDecoder("utf8"):void 0;function B(e,t,r){for(var n=t+r,s=t;e[s]&&!(s>=n);)++s;if(s-t>16&&e.subarray&&z)return z.decode(e.subarray(t,s));for(var i="";t<s;){var o=e[t++];if(128&o){var a=63&e[t++];if(192!=(224&o)){var c=63&e[t++];if((o=224==(240&o)?(15&o)<<12|a<<6|c:(7&o)<<18|a<<12|c<<6|63&e[t++])<65536)i+=String.fromCharCode(o);else{var u=o-65536;i+=String.fromCharCode(55296|u>>10,56320|1023&u)}}else i+=String.fromCharCode((31&o)<<6|a)}else i+=String.fromCharCode(o)}return i}function D(e,t){return e?B(F,e,t):""}function U(e,t,r,n){if(!(n>0))return 0;for(var s=r,i=r+n-1,o=0;o<e.length;++o){var a=e.charCodeAt(o);if(a>=55296&&a<=57343&&(a=65536+((1023&a)<<10)|1023&e.charCodeAt(++o)),a<=127){if(r>=i)break;t[r++]=a}else if(a<=2047){if(r+1>=i)break;t[r++]=192|a>>6,t[r++]=128|63&a}else if(a<=65535){if(r+2>=i)break;t[r++]=224|a>>12,t[r++]=128|a>>6&63,t[r++]=128|63&a}else{if(r+3>=i)break;t[r++]=240|a>>18,t[r++]=128|a>>12&63,t[r++]=128|a>>6&63,t[r++]=128|63&a}}return t[r]=0,r-s}function G(e,t,r){return U(e,F,t,r)}function W(e){for(var t=0,r=0;r<e.length;++r){var n=e.charCodeAt(r);n>=55296&&n<=57343&&(n=65536+((1023&n)<<10)|1023&e.charCodeAt(++r)),n<=127?++t:t+=n<=2047?2:n<=65535?3:4}return t}function Z(e){var t=W(e)+1,r=De(t);return U(e,C,r,t),r}function K(e){R=e,n.HEAP8=C=new Int8Array(e),n.HEAP16=q=new Int16Array(e),n.HEAP32=$=new Int32Array(e),n.HEAPU8=F=new Uint8Array(e),n.HEAPU16=new Uint16Array(e),n.HEAPU32=new Uint32Array(e),n.HEAPF32=L=new Float32Array(e),n.HEAPF64=V=new Float64Array(e)}var H=n.INITIAL_MEMORY||33554432;(P=n.wasmMemory?n.wasmMemory:new WebAssembly.Memory({initial:H/65536,maximum:32768}))&&(R=P.buffer),H=R.byteLength,K(R);var X=new WebAssembly.Table({initial:17,element:"anyfunc"}),J=[],Y=[],Q=[],ee=[],te=!1,re=0,ne=null,se=null;function ie(e){re++,n.monitorRunDependencies&&n.monitorRunDependencies(re)}function oe(e){if(re--,n.monitorRunDependencies&&n.monitorRunDependencies(re),0==re&&(null!==ne&&(clearInterval(ne),ne=null),se)){var t=se;se=null,t()}}function ae(e){throw n.onAbort&&n.onAbort(e),w(e+=""),N=!0,e="abort("+e+"). Build with -s ASSERTIONS=1 for more info.",new WebAssembly.RuntimeError(e)}n.preloadedImages={},n.preloadedAudios={},n.preloadedWasm={};var ce,ue,le;function fe(e){return e.startsWith("data:application/octet-stream;base64,")}function pe(e){return e.startsWith("file://")}function he(e){try{if(e==ce&&A)return new Uint8Array(A);if(y)return y(e);throw"both async and sync fetching of the wasm failed"}catch(e){ae(e)}}fe(ce="tree-sitter.wasm")||(ce=function(e){return n.locateFile?n.locateFile(e,b):b+e}(ce));var _e={},de={get:function(e,t){return _e[t]||(_e[t]=new WebAssembly.Global({value:"i32",mutable:!0})),_e[t]}};function me(e){for(;e.length>0;){var t=e.shift();if("function"!=typeof t){var r=t.func;"number"==typeof r?void 0===t.arg?X.get(r)():X.get(r)(t.arg):r(void 0===t.arg?null:t.arg)}else t(n)}}function ye(e){var t=0;function r(){for(var r=0,n=1;;){var s=e[t++];if(r+=(127&s)*n,n*=128,!(128&s))break}return r}if(e instanceof WebAssembly.Module){var n=WebAssembly.Module.customSections(e,"dylink");T(0!=n.length,"need dylink section"),e=new Int8Array(n[0])}else T(1836278016==new Uint32Array(new Uint8Array(e.subarray(0,24)).buffer)[0],"need to see wasm magic number"),T(0===e[8],"need the dylink section to be first"),t=9,r(),T(6===e[t]),T(e[++t]==="d".charCodeAt(0)),T(e[++t]==="y".charCodeAt(0)),T(e[++t]==="l".charCodeAt(0)),T(e[++t]==="i".charCodeAt(0)),T(e[++t]==="n".charCodeAt(0)),T(e[++t]==="k".charCodeAt(0)),t++;var s={};s.memorySize=r(),s.memoryAlign=r(),s.tableSize=r(),s.tableAlign=r();var i=r();s.neededDynlibs=[];for(var o=0;o<i;++o){var a=r(),c=e.subarray(t,t+a);t+=a;var u=B(c,0);s.neededDynlibs.push(u)}return s}var ge=0;function ve(){return k||ge>0}function be(e){return 0==e.indexOf("dynCall_")||["stackAlloc","stackSave","stackRestore"].includes(e)?e:"_"+e}function we(e,t){for(var r in e)if(e.hasOwnProperty(r)){$e.hasOwnProperty(r)||($e[r]=e[r]);var s=be(r);n.hasOwnProperty(s)||(n[s]=e[r])}}var Ee={nextHandle:1,loadedLibs:{},loadedLibNames:{}};var xe=5250880;function je(e){return["__cpp_exception","__wasm_apply_data_relocs","__dso_handle","__set_stack_limits"].includes(e)}function Se(e,t){var r={};for(var n in e){var s=e[n];"object"==typeof s&&(s=s.value),"number"==typeof s&&(s+=t),r[n]=s}return function(e){for(var t in e)if(!je(t)){var r=!1,n=e[t];t.startsWith("orig$")&&(t=t.split("$")[1],r=!0),_e[t]||(_e[t]=new WebAssembly.Global({value:"i32",mutable:!0})),(r||0==_e[t].value)&&("function"==typeof n?_e[t].value=S(n):"number"==typeof n?_e[t].value=n:w("unhandled export type for `"+t+"`: "+typeof n))}}(r),r}function Ae(e,t){var r,s;return t&&(r=$e["orig$"+e]),r||(r=$e[e]),r||(r=n[be(e)]),!r&&e.startsWith("invoke_")&&(s=e.split("_")[1],r=function(){var e=ze();try{return function(e,t,r){return e.includes("j")?function(e,t,r){var s=n["dynCall_"+e];return r&&r.length?s.apply(null,[t].concat(r)):s.call(null,t)}(e,t,r):X.get(t).apply(null,r)}(s,arguments[0],Array.prototype.slice.call(arguments,1))}catch(t){if(Be(e),t!==t+0&&"longjmp"!==t)throw t;Ue(1,0)}}),r}function Oe(e,t){var r=ye(e);function n(){var n=Math.pow(2,r.memoryAlign);n=Math.max(n,x);var s,i,o,a=(s=function(e){if(te)return Le(e);var t=xe,r=t+e+15&-16;return xe=r,_e.__heap_base.value=r,t}(r.memorySize+n),(i=n)||(i=x),Math.ceil(s/i)*i),c=X.length;X.grow(r.tableSize);for(var u=a;u<a+r.memorySize;u++)C[u]=0;for(u=c;u<c+r.tableSize;u++)X.set(u,null);var l=new Proxy({},{get:function(e,t){switch(t){case"__memory_base":return a;case"__table_base":return c}return t in $e?$e[t]:(t in e||(e[t]=function(){return r||(r=function(e){var t=Ae(e,!1);return t||(t=o[e]),t}(t)),r.apply(null,arguments)}),e[t]);var r}}),f={"GOT.mem":new Proxy({},de),"GOT.func":new Proxy({},de),env:l,wasi_snapshot_preview1:l};function p(e){for(var n=0;n<r.tableSize;n++){var s=X.get(c+n);s&&E.set(s,c+n)}o=Se(e.exports,a),t.allowUndefined||ke();var i=o.__wasm_call_ctors;return i||(i=o.__post_instantiate),i&&(te?i():Y.push(i)),o}if(t.loadAsync){if(e instanceof WebAssembly.Module){var h=new WebAssembly.Instance(e,f);return Promise.resolve(p(h))}return WebAssembly.instantiate(e,f).then((function(e){return p(e.instance)}))}var _=e instanceof WebAssembly.Module?e:new WebAssembly.Module(e);return p(h=new WebAssembly.Instance(_,f))}return t.loadAsync?r.neededDynlibs.reduce((function(e,r){return e.then((function(){return Pe(r,t)}))}),Promise.resolve()).then((function(){return n()})):(r.neededDynlibs.forEach((function(e){Pe(e,t)})),n())}function Pe(e,t){"__main__"!=e||Ee.loadedLibNames[e]||(Ee.loadedLibs[-1]={refcount:1/0,name:"__main__",module:n.asm,global:!0},Ee.loadedLibNames.__main__=-1),t=t||{global:!0,nodelete:!0};var r,s=Ee.loadedLibNames[e];if(s)return r=Ee.loadedLibs[s],t.global&&!r.global&&(r.global=!0,"loading"!==r.module&&we(r.module)),t.nodelete&&r.refcount!==1/0&&(r.refcount=1/0),r.refcount++,t.loadAsync?Promise.resolve(s):s;function i(e){if(t.fs){var r=t.fs.readFile(e,{encoding:"binary"});return r instanceof Uint8Array||(r=new Uint8Array(r)),t.loadAsync?Promise.resolve(r):r}return t.loadAsync?(n=e,fetch(n,{credentials:"same-origin"}).then((function(e){if(!e.ok)throw"failed to load binary file at '"+n+"'";return e.arrayBuffer()})).then((function(e){return new Uint8Array(e)}))):y(e);var n}function o(){if(void 0!==n.preloadedWasm&&void 0!==n.preloadedWasm[e]){var r=n.preloadedWasm[e];return t.loadAsync?Promise.resolve(r):r}return t.loadAsync?i(e).then((function(e){return Oe(e,t)})):Oe(i(e),t)}function a(e){r.global&&we(e),r.module=e}return s=Ee.nextHandle++,r={refcount:t.nodelete?1/0:1,name:e,module:"loading",global:t.global},Ee.loadedLibNames[e]=s,Ee.loadedLibs[s]=r,t.loadAsync?o().then((function(e){return a(e),s})):(a(o()),s)}function ke(){for(var e in _e)if(0==_e[e].value){var t=Ae(e,!0);"function"==typeof t?_e[e].value=S(t,t.sig):"number"==typeof t?_e[e].value=t:T(!1,"bad export type for `"+e+"`: "+typeof t)}}n.___heap_base=xe;var Me,Ie=new WebAssembly.Global({value:"i32",mutable:!0},5250880);function Ne(){ae()}n._abort=Ne,Ne.sig="v",Me=c?function(){var e=process.hrtime();return 1e3*e[0]+e[1]/1e6}:"undefined"!=typeof dateNow?dateNow:function(){return performance.now()};function Te(e,t){var r;if(0===e)r=Date.now();else{if(1!==e&&4!==e)return 28,$[Ve()>>2]=28,-1;r=Me()}return $[t>>2]=r/1e3|0,$[t+4>>2]=r%1e3*1e3*1e3|0,0}function Re(e){try{return P.grow(e-R.byteLength+65535>>>16),K(P.buffer),1}catch(e){}}function Ce(e){Ke(e)}function Fe(e){}Te.sig="iii",Ce.sig="vi",Fe.sig="vi";var qe,$e={__heap_base:xe,__indirect_function_table:X,__memory_base:1024,__stack_pointer:Ie,__table_base:1,abort:Ne,clock_gettime:Te,emscripten_memcpy_big:function(e,t,r){F.copyWithin(e,t,t+r)},emscripten_resize_heap:function(e){var t,r=F.length;if((e>>>=0)>2147483648)return!1;for(var n=1;n<=4;n*=2){var s=r*(1+.2/n);if(s=Math.min(s,e+100663296),Re(Math.min(2147483648,((t=Math.max(e,s))%65536>0&&(t+=65536-t%65536),t))))return!0}return!1},exit:Ce,memory:P,setTempRet0:Fe,tree_sitter_log_callback:function(e,t){if(ut){const r=D(t);ut(r,0!==e)}},tree_sitter_parse_callback:function(e,t,r,n,s){var i=ct(t,{row:r,column:n});"string"==typeof i?(M(s,i.length,"i32"),function(e,t,r){if(void 0===r&&(r=2147483647),r<2)return 0;for(var n=(r-=2)<2*e.length?r/2:e.length,s=0;s<n;++s){var i=e.charCodeAt(s);q[t>>1]=i,t+=2}q[t>>1]=0}(i,e,10240)):M(s,0,"i32")}},Le=(function(){var e={env:$e,wasi_snapshot_preview1:$e,"GOT.mem":new Proxy($e,de),"GOT.func":new Proxy($e,de)};function t(e,t){var r=e.exports;r=Se(r,1024),n.asm=r;var s,i=ye(t);i.neededDynlibs&&(O=i.neededDynlibs.concat(O)),we(r),s=n.asm.__wasm_call_ctors,Y.unshift(s),oe()}function r(e){t(e.instance,e.module)}function s(t){return function(){if(!A&&(l||f)){if("function"==typeof fetch&&!pe(ce))return fetch(ce,{credentials:"same-origin"}).then((function(e){if(!e.ok)throw"failed to load wasm binary file at '"+ce+"'";return e.arrayBuffer()})).catch((function(){return he(ce)}));if(m)return new Promise((function(e,t){m(ce,(function(t){e(new Uint8Array(t))}),t)}))}return Promise.resolve().then((function(){return he(ce)}))}().then((function(t){return WebAssembly.instantiate(t,e)})).then(t,(function(e){w("failed to asynchronously prepare wasm: "+e),ae(e)}))}if(ie(),n.instantiateWasm)try{return n.instantiateWasm(e,t)}catch(e){return w("Module.instantiateWasm callback failed with error: "+e),!1}A||"function"!=typeof WebAssembly.instantiateStreaming||fe(ce)||pe(ce)||"function"!=typeof fetch?s(r):fetch(ce,{credentials:"same-origin"}).then((function(t){return WebAssembly.instantiateStreaming(t,e).then(r,(function(e){return w("wasm streaming compile failed: "+e),w("falling back to ArrayBuffer instantiation"),s(r)}))}))}(),n.___wasm_call_ctors=function(){return(n.___wasm_call_ctors=n.asm.__wasm_call_ctors).apply(null,arguments)},n._malloc=function(){return(Le=n._malloc=n.asm.malloc).apply(null,arguments)}),Ve=(n._calloc=function(){return(n._calloc=n.asm.calloc).apply(null,arguments)},n._realloc=function(){return(n._realloc=n.asm.realloc).apply(null,arguments)},n._free=function(){return(n._free=n.asm.free).apply(null,arguments)},n._ts_language_symbol_count=function(){return(n._ts_language_symbol_count=n.asm.ts_language_symbol_count).apply(null,arguments)},n._ts_language_version=function(){return(n._ts_language_version=n.asm.ts_language_version).apply(null,arguments)},n._ts_language_field_count=function(){return(n._ts_language_field_count=n.asm.ts_language_field_count).apply(null,arguments)},n._ts_language_symbol_name=function(){return(n._ts_language_symbol_name=n.asm.ts_language_symbol_name).apply(null,arguments)},n._ts_language_symbol_for_name=function(){return(n._ts_language_symbol_for_name=n.asm.ts_language_symbol_for_name).apply(null,arguments)},n._ts_language_symbol_type=function(){return(n._ts_language_symbol_type=n.asm.ts_language_symbol_type).apply(null,arguments)},n._ts_language_field_name_for_id=function(){return(n._ts_language_field_name_for_id=n.asm.ts_language_field_name_for_id).apply(null,arguments)},n._memcpy=function(){return(n._memcpy=n.asm.memcpy).apply(null,arguments)},n._ts_parser_delete=function(){return(n._ts_parser_delete=n.asm.ts_parser_delete).apply(null,arguments)},n._ts_parser_reset=function(){return(n._ts_parser_reset=n.asm.ts_parser_reset).apply(null,arguments)},n._ts_parser_set_language=function(){return(n._ts_parser_set_language=n.asm.ts_parser_set_language).apply(null,arguments)},n._ts_parser_timeout_micros=function(){return(n._ts_parser_timeout_micros=n.asm.ts_parser_timeout_micros).apply(null,arguments)},n._ts_parser_set_timeout_micros=function(){return(n._ts_parser_set_timeout_micros=n.asm.ts_parser_set_timeout_micros).apply(null,arguments)},n._memmove=function(){return(n._memmove=n.asm.memmove).apply(null,arguments)},n._memcmp=function(){return(n._memcmp=n.asm.memcmp).apply(null,arguments)},n._ts_query_new=function(){return(n._ts_query_new=n.asm.ts_query_new).apply(null,arguments)},n._ts_query_delete=function(){return(n._ts_query_delete=n.asm.ts_query_delete).apply(null,arguments)},n._iswspace=function(){return(n._iswspace=n.asm.iswspace).apply(null,arguments)},n._iswalnum=function(){return(n._iswalnum=n.asm.iswalnum).apply(null,arguments)},n._ts_query_pattern_count=function(){return(n._ts_query_pattern_count=n.asm.ts_query_pattern_count).apply(null,arguments)},n._ts_query_capture_count=function(){return(n._ts_query_capture_count=n.asm.ts_query_capture_count).apply(null,arguments)},n._ts_query_string_count=function(){return(n._ts_query_string_count=n.asm.ts_query_string_count).apply(null,arguments)},n._ts_query_capture_name_for_id=function(){return(n._ts_query_capture_name_for_id=n.asm.ts_query_capture_name_for_id).apply(null,arguments)},n._ts_query_string_value_for_id=function(){return(n._ts_query_string_value_for_id=n.asm.ts_query_string_value_for_id).apply(null,arguments)},n._ts_query_predicates_for_pattern=function(){return(n._ts_query_predicates_for_pattern=n.asm.ts_query_predicates_for_pattern).apply(null,arguments)},n._ts_tree_copy=function(){return(n._ts_tree_copy=n.asm.ts_tree_copy).apply(null,arguments)},n._ts_tree_delete=function(){return(n._ts_tree_delete=n.asm.ts_tree_delete).apply(null,arguments)},n._ts_init=function(){return(n._ts_init=n.asm.ts_init).apply(null,arguments)},n._ts_parser_new_wasm=function(){return(n._ts_parser_new_wasm=n.asm.ts_parser_new_wasm).apply(null,arguments)},n._ts_parser_enable_logger_wasm=function(){return(n._ts_parser_enable_logger_wasm=n.asm.ts_parser_enable_logger_wasm).apply(null,arguments)},n._ts_parser_parse_wasm=function(){return(n._ts_parser_parse_wasm=n.asm.ts_parser_parse_wasm).apply(null,arguments)},n._ts_language_type_is_named_wasm=function(){return(n._ts_language_type_is_named_wasm=n.asm.ts_language_type_is_named_wasm).apply(null,arguments)},n._ts_language_type_is_visible_wasm=function(){return(n._ts_language_type_is_visible_wasm=n.asm.ts_language_type_is_visible_wasm).apply(null,arguments)},n._ts_tree_root_node_wasm=function(){return(n._ts_tree_root_node_wasm=n.asm.ts_tree_root_node_wasm).apply(null,arguments)},n._ts_tree_edit_wasm=function(){return(n._ts_tree_edit_wasm=n.asm.ts_tree_edit_wasm).apply(null,arguments)},n._ts_tree_get_changed_ranges_wasm=function(){return(n._ts_tree_get_changed_ranges_wasm=n.asm.ts_tree_get_changed_ranges_wasm).apply(null,arguments)},n._ts_tree_cursor_new_wasm=function(){return(n._ts_tree_cursor_new_wasm=n.asm.ts_tree_cursor_new_wasm).apply(null,arguments)},n._ts_tree_cursor_delete_wasm=function(){return(n._ts_tree_cursor_delete_wasm=n.asm.ts_tree_cursor_delete_wasm).apply(null,arguments)},n._ts_tree_cursor_reset_wasm=function(){return(n._ts_tree_cursor_reset_wasm=n.asm.ts_tree_cursor_reset_wasm).apply(null,arguments)},n._ts_tree_cursor_goto_first_child_wasm=function(){return(n._ts_tree_cursor_goto_first_child_wasm=n.asm.ts_tree_cursor_goto_first_child_wasm).apply(null,arguments)},n._ts_tree_cursor_goto_next_sibling_wasm=function(){return(n._ts_tree_cursor_goto_next_sibling_wasm=n.asm.ts_tree_cursor_goto_next_sibling_wasm).apply(null,arguments)},n._ts_tree_cursor_goto_parent_wasm=function(){return(n._ts_tree_cursor_goto_parent_wasm=n.asm.ts_tree_cursor_goto_parent_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_type_id_wasm=function(){return(n._ts_tree_cursor_current_node_type_id_wasm=n.asm.ts_tree_cursor_current_node_type_id_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_is_named_wasm=function(){return(n._ts_tree_cursor_current_node_is_named_wasm=n.asm.ts_tree_cursor_current_node_is_named_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_is_missing_wasm=function(){return(n._ts_tree_cursor_current_node_is_missing_wasm=n.asm.ts_tree_cursor_current_node_is_missing_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_id_wasm=function(){return(n._ts_tree_cursor_current_node_id_wasm=n.asm.ts_tree_cursor_current_node_id_wasm).apply(null,arguments)},n._ts_tree_cursor_start_position_wasm=function(){return(n._ts_tree_cursor_start_position_wasm=n.asm.ts_tree_cursor_start_position_wasm).apply(null,arguments)},n._ts_tree_cursor_end_position_wasm=function(){return(n._ts_tree_cursor_end_position_wasm=n.asm.ts_tree_cursor_end_position_wasm).apply(null,arguments)},n._ts_tree_cursor_start_index_wasm=function(){return(n._ts_tree_cursor_start_index_wasm=n.asm.ts_tree_cursor_start_index_wasm).apply(null,arguments)},n._ts_tree_cursor_end_index_wasm=function(){return(n._ts_tree_cursor_end_index_wasm=n.asm.ts_tree_cursor_end_index_wasm).apply(null,arguments)},n._ts_tree_cursor_current_field_id_wasm=function(){return(n._ts_tree_cursor_current_field_id_wasm=n.asm.ts_tree_cursor_current_field_id_wasm).apply(null,arguments)},n._ts_tree_cursor_current_node_wasm=function(){return(n._ts_tree_cursor_current_node_wasm=n.asm.ts_tree_cursor_current_node_wasm).apply(null,arguments)},n._ts_node_symbol_wasm=function(){return(n._ts_node_symbol_wasm=n.asm.ts_node_symbol_wasm).apply(null,arguments)},n._ts_node_child_count_wasm=function(){return(n._ts_node_child_count_wasm=n.asm.ts_node_child_count_wasm).apply(null,arguments)},n._ts_node_named_child_count_wasm=function(){return(n._ts_node_named_child_count_wasm=n.asm.ts_node_named_child_count_wasm).apply(null,arguments)},n._ts_node_child_wasm=function(){return(n._ts_node_child_wasm=n.asm.ts_node_child_wasm).apply(null,arguments)},n._ts_node_named_child_wasm=function(){return(n._ts_node_named_child_wasm=n.asm.ts_node_named_child_wasm).apply(null,arguments)},n._ts_node_child_by_field_id_wasm=function(){return(n._ts_node_child_by_field_id_wasm=n.asm.ts_node_child_by_field_id_wasm).apply(null,arguments)},n._ts_node_next_sibling_wasm=function(){return(n._ts_node_next_sibling_wasm=n.asm.ts_node_next_sibling_wasm).apply(null,arguments)},n._ts_node_prev_sibling_wasm=function(){return(n._ts_node_prev_sibling_wasm=n.asm.ts_node_prev_sibling_wasm).apply(null,arguments)},n._ts_node_next_named_sibling_wasm=function(){return(n._ts_node_next_named_sibling_wasm=n.asm.ts_node_next_named_sibling_wasm).apply(null,arguments)},n._ts_node_prev_named_sibling_wasm=function(){return(n._ts_node_prev_named_sibling_wasm=n.asm.ts_node_prev_named_sibling_wasm).apply(null,arguments)},n._ts_node_parent_wasm=function(){return(n._ts_node_parent_wasm=n.asm.ts_node_parent_wasm).apply(null,arguments)},n._ts_node_descendant_for_index_wasm=function(){return(n._ts_node_descendant_for_index_wasm=n.asm.ts_node_descendant_for_index_wasm).apply(null,arguments)},n._ts_node_named_descendant_for_index_wasm=function(){return(n._ts_node_named_descendant_for_index_wasm=n.asm.ts_node_named_descendant_for_index_wasm).apply(null,arguments)},n._ts_node_descendant_for_position_wasm=function(){return(n._ts_node_descendant_for_position_wasm=n.asm.ts_node_descendant_for_position_wasm).apply(null,arguments)},n._ts_node_named_descendant_for_position_wasm=function(){return(n._ts_node_named_descendant_for_position_wasm=n.asm.ts_node_named_descendant_for_position_wasm).apply(null,arguments)},n._ts_node_start_point_wasm=function(){return(n._ts_node_start_point_wasm=n.asm.ts_node_start_point_wasm).apply(null,arguments)},n._ts_node_end_point_wasm=function(){return(n._ts_node_end_point_wasm=n.asm.ts_node_end_point_wasm).apply(null,arguments)},n._ts_node_start_index_wasm=function(){return(n._ts_node_start_index_wasm=n.asm.ts_node_start_index_wasm).apply(null,arguments)},n._ts_node_end_index_wasm=function(){return(n._ts_node_end_index_wasm=n.asm.ts_node_end_index_wasm).apply(null,arguments)},n._ts_node_to_string_wasm=function(){return(n._ts_node_to_string_wasm=n.asm.ts_node_to_string_wasm).apply(null,arguments)},n._ts_node_children_wasm=function(){return(n._ts_node_children_wasm=n.asm.ts_node_children_wasm).apply(null,arguments)},n._ts_node_named_children_wasm=function(){return(n._ts_node_named_children_wasm=n.asm.ts_node_named_children_wasm).apply(null,arguments)},n._ts_node_descendants_of_type_wasm=function(){return(n._ts_node_descendants_of_type_wasm=n.asm.ts_node_descendants_of_type_wasm).apply(null,arguments)},n._ts_node_is_named_wasm=function(){return(n._ts_node_is_named_wasm=n.asm.ts_node_is_named_wasm).apply(null,arguments)},n._ts_node_has_changes_wasm=function(){return(n._ts_node_has_changes_wasm=n.asm.ts_node_has_changes_wasm).apply(null,arguments)},n._ts_node_has_error_wasm=function(){return(n._ts_node_has_error_wasm=n.asm.ts_node_has_error_wasm).apply(null,arguments)},n._ts_node_is_missing_wasm=function(){return(n._ts_node_is_missing_wasm=n.asm.ts_node_is_missing_wasm).apply(null,arguments)},n._ts_query_matches_wasm=function(){return(n._ts_query_matches_wasm=n.asm.ts_query_matches_wasm).apply(null,arguments)},n._ts_query_captures_wasm=function(){return(n._ts_query_captures_wasm=n.asm.ts_query_captures_wasm).apply(null,arguments)},n._iswdigit=function(){return(n._iswdigit=n.asm.iswdigit).apply(null,arguments)},n._iswalpha=function(){return(n._iswalpha=n.asm.iswalpha).apply(null,arguments)},n._iswlower=function(){return(n._iswlower=n.asm.iswlower).apply(null,arguments)},n._towupper=function(){return(n._towupper=n.asm.towupper).apply(null,arguments)},n.___errno_location=function(){return(Ve=n.___errno_location=n.asm.__errno_location).apply(null,arguments)}),ze=(n._memchr=function(){return(n._memchr=n.asm.memchr).apply(null,arguments)},n._strlen=function(){return(n._strlen=n.asm.strlen).apply(null,arguments)},n.stackSave=function(){return(ze=n.stackSave=n.asm.stackSave).apply(null,arguments)}),Be=n.stackRestore=function(){return(Be=n.stackRestore=n.asm.stackRestore).apply(null,arguments)},De=n.stackAlloc=function(){return(De=n.stackAlloc=n.asm.stackAlloc).apply(null,arguments)},Ue=n._setThrew=function(){return(Ue=n._setThrew=n.asm.setThrew).apply(null,arguments)};function Ge(e){this.name="ExitStatus",this.message="Program terminated with exit("+e+")",this.status=e}n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEED2Ev=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEED2Ev=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEED2Ev).apply(null,arguments)},n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9__grow_byEmmmmmm=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9__grow_byEmmmmmm=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9__grow_byEmmmmmm).apply(null,arguments)},n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE6__initEPKcm=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE6__initEPKcm=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE6__initEPKcm).apply(null,arguments)},n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE7reserveEm=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE7reserveEm=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE7reserveEm).apply(null,arguments)},n.__ZNKSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE4copyEPcmm=function(){return(n.__ZNKSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE4copyEPcmm=n.asm._ZNKSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE4copyEPcmm).apply(null,arguments)},n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9push_backEc=function(){return(n.__ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9push_backEc=n.asm._ZNSt3__212basic_stringIcNS_11char_traitsIcEENS_9allocatorIcEEE9push_backEc).apply(null,arguments)},n.__ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEED2Ev=function(){return(n.__ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEED2Ev=n.asm._ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEED2Ev).apply(null,arguments)},n.__ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEE9push_backEw=function(){return(n.__ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEE9push_backEw=n.asm._ZNSt3__212basic_stringIwNS_11char_traitsIwEENS_9allocatorIwEEE9push_backEw).apply(null,arguments)},n.__Znwm=function(){return(n.__Znwm=n.asm._Znwm).apply(null,arguments)},n.__ZdlPv=function(){return(n.__ZdlPv=n.asm._ZdlPv).apply(null,arguments)},n.__ZNKSt3__220__vector_base_commonILb1EE20__throw_length_errorEv=function(){return(n.__ZNKSt3__220__vector_base_commonILb1EE20__throw_length_errorEv=n.asm._ZNKSt3__220__vector_base_commonILb1EE20__throw_length_errorEv).apply(null,arguments)},n._orig$ts_parser_timeout_micros=function(){return(n._orig$ts_parser_timeout_micros=n.asm.orig$ts_parser_timeout_micros).apply(null,arguments)},n._orig$ts_parser_set_timeout_micros=function(){return(n._orig$ts_parser_set_timeout_micros=n.asm.orig$ts_parser_set_timeout_micros).apply(null,arguments)},n.allocate=function(e,t){var r;return r=1==t?De(e.length):Le(e.length),e.subarray||e.slice?F.set(e,r):F.set(new Uint8Array(e),r),r},se=function e(){qe||Ze(),qe||(se=e)};var We=!1;function Ze(e){function t(){qe||(qe=!0,n.calledRun=!0,N||(te=!0,me(Y),me(Q),n.onRuntimeInitialized&&n.onRuntimeInitialized(),He&&function(e){var t=n._main;if(t){var r=(e=e||[]).length+1,s=De(4*(r+1));$[s>>2]=Z(h);for(var i=1;i<r;i++)$[(s>>2)+i]=Z(e[i-1]);$[(s>>2)+r]=0;try{Ke(t(r,s),!0)}catch(e){if(e instanceof Ge)return;if("unwind"==e)return;var o=e;e&&"object"==typeof e&&e.stack&&(o=[e,e.stack]),w("exception thrown: "+o),_(1,e)}}}(e),function(){if(n.postRun)for("function"==typeof n.postRun&&(n.postRun=[n.postRun]);n.postRun.length;)e=n.postRun.shift(),ee.unshift(e);var e;me(ee)}()))}e=e||p,re>0||!We&&(function(){if(O.length){if(!y)return ie(),void O.reduce((function(e,t){return e.then((function(){return Pe(t,{loadAsync:!0,global:!0,nodelete:!0,allowUndefined:!0})}))}),Promise.resolve()).then((function(){oe(),ke()}));O.forEach((function(e){Pe(e,{global:!0,nodelete:!0,allowUndefined:!0})})),ke()}else ke()}(),We=!0,re>0)||(function(){if(n.preRun)for("function"==typeof n.preRun&&(n.preRun=[n.preRun]);n.preRun.length;)e=n.preRun.shift(),J.unshift(e);var e;me(J)}(),re>0||(n.setStatus?(n.setStatus("Running..."),setTimeout((function(){setTimeout((function(){n.setStatus("")}),1),t()}),1)):t()))}function Ke(e,t){t&&ve()&&0===e||(ve()||(n.onExit&&n.onExit(e),N=!0),_(e,new Ge(e)))}if(n.run=Ze,n.preInit)for("function"==typeof n.preInit&&(n.preInit=[n.preInit]);n.preInit.length>0;)n.preInit.pop()();var He=!0;n.noInitialRun&&(He=!1),Ze();const Xe=n,Je={},Ye=4,Qe=5*Ye,et=2*Ye,tt=2*Ye+2*et,rt={row:0,column:0},nt=/[\w-.]*/g,st=/^_?tree_sitter_\w+/;var it,ot,at,ct,ut;class lt{static init(){at=Xe._ts_init(),it=I(at,"i32"),ot=I(at+Ye,"i32")}initialize(){Xe._ts_parser_new_wasm(),this[0]=I(at,"i32"),this[1]=I(at+Ye,"i32")}delete(){Xe._ts_parser_delete(this[0]),Xe._free(this[1]),this[0]=0,this[1]=0}setLanguage(e){let t;if(e){if(e.constructor!==_t)throw new Error("Argument must be a Language");{t=e[0];const r=Xe._ts_language_version(t);if(r<ot||it<r)throw new Error(`Incompatible language version ${r}. Compatibility range ${ot} through ${it}.`)}}else t=0,e=null;return this.language=e,Xe._ts_parser_set_language(this[0],t),this}getLanguage(){return this.language}parse(e,t,r){if("string"==typeof e)ct=(t,r,n)=>e.slice(t,n);else{if("function"!=typeof e)throw new Error("Argument must be a string or a function");ct=e}this.logCallback?(ut=this.logCallback,Xe._ts_parser_enable_logger_wasm(this[0],1)):(ut=null,Xe._ts_parser_enable_logger_wasm(this[0],0));let n=0,s=0;if(r&&r.includedRanges){n=r.includedRanges.length;let e=s=Xe._calloc(n,tt);for(let t=0;t<n;t++)At(e,r.includedRanges[t]),e+=tt}const i=Xe._ts_parser_parse_wasm(this[0],this[1],t?t[0]:0,s,n);if(!i)throw ct=null,ut=null,new Error("Parsing failed");const o=new ft(Je,i,this.language,ct);return ct=null,ut=null,o}reset(){Xe._ts_parser_reset(this[0])}setTimeoutMicros(e){Xe._ts_parser_set_timeout_micros(this[0],e)}getTimeoutMicros(){return Xe._ts_parser_timeout_micros(this[0])}setLogger(e){if(e){if("function"!=typeof e)throw new Error("Logger callback must be a function")}else e=null;return this.logCallback=e,this}getLogger(){return this.logCallback}}class ft{constructor(e,t,r,n){gt(e),this[0]=t,this.language=r,this.textCallback=n}copy(){const e=Xe._ts_tree_copy(this[0]);return new ft(Je,e,this.language,this.textCallback)}delete(){Xe._ts_tree_delete(this[0]),this[0]=0}edit(e){!function(e){let t=at;jt(t,e.startPosition),jt(t+=et,e.oldEndPosition),jt(t+=et,e.newEndPosition),M(t+=et,e.startIndex,"i32"),M(t+=Ye,e.oldEndIndex,"i32"),M(t+=Ye,e.newEndIndex,"i32"),t+=Ye}(e),Xe._ts_tree_edit_wasm(this[0])}get rootNode(){return Xe._ts_tree_root_node_wasm(this[0]),wt(this)}getLanguage(){return this.language}walk(){return this.rootNode.walk()}getChangedRanges(e){if(e.constructor!==ft)throw new TypeError("Argument must be a Tree");Xe._ts_tree_get_changed_ranges_wasm(this[0],e[0]);const t=I(at,"i32"),r=I(at+Ye,"i32"),n=new Array(t);if(t>0){let e=r;for(let r=0;r<t;r++)n[r]=Ot(e),e+=tt;Xe._free(r)}return n}}class pt{constructor(e,t){gt(e),this.tree=t}get typeId(){return bt(this),Xe._ts_node_symbol_wasm(this.tree[0])}get type(){return this.tree.language.types[this.typeId]||"ERROR"}get endPosition(){return bt(this),Xe._ts_node_end_point_wasm(this.tree[0]),St(at)}get endIndex(){return bt(this),Xe._ts_node_end_index_wasm(this.tree[0])}get text(){return mt(this.tree,this.startIndex,this.endIndex)}isNamed(){return bt(this),1===Xe._ts_node_is_named_wasm(this.tree[0])}hasError(){return bt(this),1===Xe._ts_node_has_error_wasm(this.tree[0])}hasChanges(){return bt(this),1===Xe._ts_node_has_changes_wasm(this.tree[0])}isMissing(){return bt(this),1===Xe._ts_node_is_missing_wasm(this.tree[0])}equals(e){return this.id===e.id}child(e){return bt(this),Xe._ts_node_child_wasm(this.tree[0],e),wt(this.tree)}namedChild(e){return bt(this),Xe._ts_node_named_child_wasm(this.tree[0],e),wt(this.tree)}childForFieldId(e){return bt(this),Xe._ts_node_child_by_field_id_wasm(this.tree[0],e),wt(this.tree)}childForFieldName(e){const t=this.tree.language.fields.indexOf(e);if(-1!==t)return this.childForFieldId(t)}get childCount(){return bt(this),Xe._ts_node_child_count_wasm(this.tree[0])}get namedChildCount(){return bt(this),Xe._ts_node_named_child_count_wasm(this.tree[0])}get firstChild(){return this.child(0)}get firstNamedChild(){return this.namedChild(0)}get lastChild(){return this.child(this.childCount-1)}get lastNamedChild(){return this.namedChild(this.namedChildCount-1)}get children(){if(!this._children){bt(this),Xe._ts_node_children_wasm(this.tree[0]);const e=I(at,"i32"),t=I(at+Ye,"i32");if(this._children=new Array(e),e>0){let r=t;for(let t=0;t<e;t++)this._children[t]=wt(this.tree,r),r+=Qe;Xe._free(t)}}return this._children}get namedChildren(){if(!this._namedChildren){bt(this),Xe._ts_node_named_children_wasm(this.tree[0]);const e=I(at,"i32"),t=I(at+Ye,"i32");if(this._namedChildren=new Array(e),e>0){let r=t;for(let t=0;t<e;t++)this._namedChildren[t]=wt(this.tree,r),r+=Qe;Xe._free(t)}}return this._namedChildren}descendantsOfType(e,t,r){Array.isArray(e)||(e=[e]),t||(t=rt),r||(r=rt);const n=[],s=this.tree.language.types;for(let t=0,r=s.length;t<r;t++)e.includes(s[t])&&n.push(t);const i=Xe._malloc(Ye*n.length);for(let e=0,t=n.length;e<t;e++)M(i+e*Ye,n[e],"i32");bt(this),Xe._ts_node_descendants_of_type_wasm(this.tree[0],i,n.length,t.row,t.column,r.row,r.column);const o=I(at,"i32"),a=I(at+Ye,"i32"),c=new Array(o);if(o>0){let e=a;for(let t=0;t<o;t++)c[t]=wt(this.tree,e),e+=Qe}return Xe._free(a),Xe._free(i),c}get nextSibling(){return bt(this),Xe._ts_node_next_sibling_wasm(this.tree[0]),wt(this.tree)}get previousSibling(){return bt(this),Xe._ts_node_prev_sibling_wasm(this.tree[0]),wt(this.tree)}get nextNamedSibling(){return bt(this),Xe._ts_node_next_named_sibling_wasm(this.tree[0]),wt(this.tree)}get previousNamedSibling(){return bt(this),Xe._ts_node_prev_named_sibling_wasm(this.tree[0]),wt(this.tree)}get parent(){return bt(this),Xe._ts_node_parent_wasm(this.tree[0]),wt(this.tree)}descendantForIndex(e,t=e){if("number"!=typeof e||"number"!=typeof t)throw new Error("Arguments must be numbers");bt(this);let r=at+Qe;return M(r,e,"i32"),M(r+Ye,t,"i32"),Xe._ts_node_descendant_for_index_wasm(this.tree[0]),wt(this.tree)}namedDescendantForIndex(e,t=e){if("number"!=typeof e||"number"!=typeof t)throw new Error("Arguments must be numbers");bt(this);let r=at+Qe;return M(r,e,"i32"),M(r+Ye,t,"i32"),Xe._ts_node_named_descendant_for_index_wasm(this.tree[0]),wt(this.tree)}descendantForPosition(e,t=e){if(!vt(e)||!vt(t))throw new Error("Arguments must be {row, column} objects");bt(this);let r=at+Qe;return jt(r,e),jt(r+et,t),Xe._ts_node_descendant_for_position_wasm(this.tree[0]),wt(this.tree)}namedDescendantForPosition(e,t=e){if(!vt(e)||!vt(t))throw new Error("Arguments must be {row, column} objects");bt(this);let r=at+Qe;return jt(r,e),jt(r+et,t),Xe._ts_node_named_descendant_for_position_wasm(this.tree[0]),wt(this.tree)}walk(){return bt(this),Xe._ts_tree_cursor_new_wasm(this.tree[0]),new ht(Je,this.tree)}toString(){bt(this);const e=Xe._ts_node_to_string_wasm(this.tree[0]),t=function(e){for(var t="";;){var r=F[e++>>0];if(!r)return t;t+=String.fromCharCode(r)}}(e);return Xe._free(e),t}}class ht{constructor(e,t){gt(e),this.tree=t,xt(this)}delete(){Et(this),Xe._ts_tree_cursor_delete_wasm(this.tree[0]),this[0]=this[1]=this[2]=0}reset(e){bt(e),Et(this,at+Qe),Xe._ts_tree_cursor_reset_wasm(this.tree[0]),xt(this)}get nodeType(){return this.tree.language.types[this.nodeTypeId]||"ERROR"}get nodeTypeId(){return Et(this),Xe._ts_tree_cursor_current_node_type_id_wasm(this.tree[0])}get nodeId(){return Et(this),Xe._ts_tree_cursor_current_node_id_wasm(this.tree[0])}get nodeIsNamed(){return Et(this),1===Xe._ts_tree_cursor_current_node_is_named_wasm(this.tree[0])}get nodeIsMissing(){return Et(this),1===Xe._ts_tree_cursor_current_node_is_missing_wasm(this.tree[0])}get nodeText(){Et(this);const e=Xe._ts_tree_cursor_start_index_wasm(this.tree[0]),t=Xe._ts_tree_cursor_end_index_wasm(this.tree[0]);return mt(this.tree,e,t)}get startPosition(){return Et(this),Xe._ts_tree_cursor_start_position_wasm(this.tree[0]),St(at)}get endPosition(){return Et(this),Xe._ts_tree_cursor_end_position_wasm(this.tree[0]),St(at)}get startIndex(){return Et(this),Xe._ts_tree_cursor_start_index_wasm(this.tree[0])}get endIndex(){return Et(this),Xe._ts_tree_cursor_end_index_wasm(this.tree[0])}currentNode(){return Et(this),Xe._ts_tree_cursor_current_node_wasm(this.tree[0]),wt(this.tree)}currentFieldId(){return Et(this),Xe._ts_tree_cursor_current_field_id_wasm(this.tree[0])}currentFieldName(){return this.tree.language.fields[this.currentFieldId()]}gotoFirstChild(){Et(this);const e=Xe._ts_tree_cursor_goto_first_child_wasm(this.tree[0]);return xt(this),1===e}gotoNextSibling(){Et(this);const e=Xe._ts_tree_cursor_goto_next_sibling_wasm(this.tree[0]);return xt(this),1===e}gotoParent(){Et(this);const e=Xe._ts_tree_cursor_goto_parent_wasm(this.tree[0]);return xt(this),1===e}}class _t{constructor(e,t){gt(e),this[0]=t,this.types=new Array(Xe._ts_language_symbol_count(this[0]));for(let e=0,t=this.types.length;e<t;e++)Xe._ts_language_symbol_type(this[0],e)<2&&(this.types[e]=D(Xe._ts_language_symbol_name(this[0],e)));this.fields=new Array(Xe._ts_language_field_count(this[0])+1);for(let e=0,t=this.fields.length;e<t;e++){const t=Xe._ts_language_field_name_for_id(this[0],e);this.fields[e]=0!==t?D(t):null}}get version(){return Xe._ts_language_version(this[0])}get fieldCount(){return this.fields.length-1}fieldIdForName(e){const t=this.fields.indexOf(e);return-1!==t?t:null}fieldNameForId(e){return this.fields[e]||null}idForNodeType(e,t){const r=W(e),n=Xe._malloc(r+1);G(e,n,r+1);const s=Xe._ts_language_symbol_for_name(this[0],n,r,t);return Xe._free(n),s||null}get nodeTypeCount(){return Xe._ts_language_symbol_count(this[0])}nodeTypeForId(e){const t=Xe._ts_language_symbol_name(this[0],e);return t?D(t):null}nodeTypeIsNamed(e){return!!Xe._ts_language_type_is_named_wasm(this[0],e)}nodeTypeIsVisible(e){return!!Xe._ts_language_type_is_visible_wasm(this[0],e)}query(e){const t=W(e),r=Xe._malloc(t+1);G(e,r,t+1);const n=Xe._ts_query_new(this[0],r,t,at,at+Ye);if(!n){const t=I(at+Ye,"i32"),n=D(r,I(at,"i32")).length,s=e.substr(n,100).split("\n")[0];let i,o=s.match(nt)[0];switch(t){case 2:i=new RangeError(`Bad node name '${o}'`);break;case 3:i=new RangeError(`Bad field name '${o}'`);break;case 4:i=new RangeError(`Bad capture name @${o}`);break;case 5:i=new TypeError(`Bad pattern structure at offset ${n}: '${s}'...`),o="";break;default:i=new SyntaxError(`Bad syntax at offset ${n}: '${s}'...`),o=""}throw i.index=n,i.length=o.length,Xe._free(r),i}const s=Xe._ts_query_string_count(n),i=Xe._ts_query_capture_count(n),o=Xe._ts_query_pattern_count(n),a=new Array(i),c=new Array(s);for(let e=0;e<i;e++){const t=Xe._ts_query_capture_name_for_id(n,e,at),r=I(at,"i32");a[e]=D(t,r)}for(let e=0;e<s;e++){const t=Xe._ts_query_string_value_for_id(n,e,at),r=I(at,"i32");c[e]=D(t,r)}const u=new Array(o),l=new Array(o),f=new Array(o),p=new Array(o),h=new Array(o);for(let e=0;e<o;e++){const t=Xe._ts_query_predicates_for_pattern(n,e,at),r=I(at,"i32");p[e]=[],h[e]=[];const s=[];let i=t;for(let t=0;t<r;t++){const t=I(i,"i32"),r=I(i+=Ye,"i32");if(i+=Ye,1===t)s.push({type:"capture",name:a[r]});else if(2===t)s.push({type:"string",value:c[r]});else if(s.length>0){if("string"!==s[0].type)throw new Error("Predicates must begin with a literal value");const t=s[0].value;let r=!0;switch(t){case"not-eq?":r=!1;case"eq?":if(3!==s.length)throw new Error("Wrong number of arguments to `#eq?` predicate. Expected 2, got "+(s.length-1));if("capture"!==s[1].type)throw new Error(`First argument of \`#eq?\` predicate must be a capture. Got "${s[1].value}"`);if("capture"===s[2].type){const t=s[1].name,n=s[2].name;h[e].push((function(e){let s,i;for(const r of e)r.name===t&&(s=r.node),r.name===n&&(i=r.node);return void 0===s||void 0===i||s.text===i.text===r}))}else{const t=s[1].name,n=s[2].value;h[e].push((function(e){for(const s of e)if(s.name===t)return s.node.text===n===r;return!0}))}break;case"not-match?":r=!1;case"match?":if(3!==s.length)throw new Error(`Wrong number of arguments to \`#match?\` predicate. Expected 2, got ${s.length-1}.`);if("capture"!==s[1].type)throw new Error(`First argument of \`#match?\` predicate must be a capture. Got "${s[1].value}".`);if("string"!==s[2].type)throw new Error(`Second argument of \`#match?\` predicate must be a string. Got @${s[2].value}.`);const n=s[1].name,i=new RegExp(s[2].value);h[e].push((function(e){for(const t of e)if(t.name===n)return i.test(t.node.text)===r;return!0}));break;case"set!":if(s.length<2||s.length>3)throw new Error(`Wrong number of arguments to \`#set!\` predicate. Expected 1 or 2. Got ${s.length-1}.`);if(s.some((e=>"string"!==e.type)))throw new Error('Arguments to `#set!` predicate must be a strings.".');u[e]||(u[e]={}),u[e][s[1].value]=s[2]?s[2].value:null;break;case"is?":case"is-not?":if(s.length<2||s.length>3)throw new Error(`Wrong number of arguments to \`#${t}\` predicate. Expected 1 or 2. Got ${s.length-1}.`);if(s.some((e=>"string"!==e.type)))throw new Error(`Arguments to \`#${t}\` predicate must be a strings.".`);const o="is?"===t?l:f;o[e]||(o[e]={}),o[e][s[1].value]=s[2]?s[2].value:null;break;default:p[e].push({operator:t,operands:s.slice(1)})}s.length=0}}Object.freeze(u[e]),Object.freeze(l[e]),Object.freeze(f[e])}return Xe._free(r),new dt(Je,n,a,h,p,Object.freeze(u),Object.freeze(l),Object.freeze(f))}static load(e){let t;if(e instanceof Uint8Array)t=Promise.resolve(e);else{const n=e;if("undefined"!=typeof process&&process.versions&&process.versions.node){const e=r(3078);t=Promise.resolve(e.readFileSync(n))}else t=fetch(n).then((e=>e.arrayBuffer().then((t=>{if(e.ok)return new Uint8Array(t);{const r=new TextDecoder("utf-8").decode(t);throw new Error(`Language.load failed with status ${e.status}.\n\n${r}`)}}))))}const n="function"==typeof loadSideModule?loadSideModule:Oe;return t.then((e=>n(e,{loadAsync:!0}))).then((e=>{const t=Object.keys(e),r=t.find((e=>st.test(e)&&!e.includes("external_scanner_")));r||console.log(`Couldn't find language function in WASM file. Symbols:\n${JSON.stringify(t,null,2)}`);const n=e[r]();return new _t(Je,n)}))}}class dt{constructor(e,t,r,n,s,i,o,a){gt(e),this[0]=t,this.captureNames=r,this.textPredicates=n,this.predicates=s,this.setProperties=i,this.assertedProperties=o,this.refutedProperties=a,this.exceededMatchLimit=!1}delete(){Xe._ts_query_delete(this[0]),this[0]=0}matches(e,t,r,n){t||(t=rt),r||(r=rt),n||(n={});let s=n.matchLimit;if(void 0===s)s=0;else if("number"!=typeof s)throw new Error("Arguments must be numbers");bt(e),Xe._ts_query_matches_wasm(this[0],e.tree[0],t.row,t.column,r.row,r.column,s);const i=I(at,"i32"),o=I(at+Ye,"i32"),a=I(at+2*Ye,"i32"),c=new Array(i);this.exceededMatchLimit=!!a;let u=0,l=o;for(let t=0;t<i;t++){const r=I(l,"i32"),n=I(l+=Ye,"i32");l+=Ye;const s=new Array(n);if(l=yt(this,e.tree,l,s),this.textPredicates[r].every((e=>e(s)))){c[u++]={pattern:r,captures:s};const e=this.setProperties[r];e&&(c[t].setProperties=e);const n=this.assertedProperties[r];n&&(c[t].assertedProperties=n);const i=this.refutedProperties[r];i&&(c[t].refutedProperties=i)}}return c.length=u,Xe._free(o),c}captures(e,t,r,n){t||(t=rt),r||(r=rt),n||(n={});let s=n.matchLimit;if(void 0===s)s=0;else if("number"!=typeof s)throw new Error("Arguments must be numbers");bt(e),Xe._ts_query_captures_wasm(this[0],e.tree[0],t.row,t.column,r.row,r.column,s);const i=I(at,"i32"),o=I(at+Ye,"i32"),a=I(at+2*Ye,"i32"),c=[];this.exceededMatchLimit=!!a;const u=[];let l=o;for(let t=0;t<i;t++){const t=I(l,"i32"),r=I(l+=Ye,"i32"),n=I(l+=Ye,"i32");if(l+=Ye,u.length=r,l=yt(this,e.tree,l,u),this.textPredicates[t].every((e=>e(u)))){const e=u[n],r=this.setProperties[t];r&&(e.setProperties=r);const s=this.assertedProperties[t];s&&(e.assertedProperties=s);const i=this.refutedProperties[t];i&&(e.refutedProperties=i),c.push(e)}}return Xe._free(o),c}predicatesForPattern(e){return this.predicates[e]}didExceedMatchLimit(){return this.exceededMatchLimit}}function mt(e,t,r){const n=r-t;let s=e.textCallback(t,null,r);for(t+=s.length;t<r;){const n=e.textCallback(t,null,r);if(!(n&&n.length>0))break;t+=n.length,s+=n}return t>r&&(s=s.slice(0,n)),s}function yt(e,t,r,n){for(let s=0,i=n.length;s<i;s++){const i=I(r,"i32"),o=wt(t,r+=Ye);r+=Qe,n[s]={name:e.captureNames[i],node:o}}return r}function gt(e){if(e!==Je)throw new Error("Illegal constructor")}function vt(e){return e&&"number"==typeof e.row&&"number"==typeof e.column}function bt(e){let t=at;M(t,e.id,"i32"),M(t+=Ye,e.startIndex,"i32"),M(t+=Ye,e.startPosition.row,"i32"),M(t+=Ye,e.startPosition.column,"i32"),M(t+=Ye,e[0],"i32")}function wt(e,t=at){const r=I(t,"i32");if(0===r)return null;const n=I(t+=Ye,"i32"),s=I(t+=Ye,"i32"),i=I(t+=Ye,"i32"),o=I(t+=Ye,"i32"),a=new pt(Je,e);return a.id=r,a.startIndex=n,a.startPosition={row:s,column:i},a[0]=o,a}function Et(e,t=at){M(t+0*Ye,e[0],"i32"),M(t+1*Ye,e[1],"i32"),M(t+2*Ye,e[2],"i32")}function xt(e){e[0]=I(at+0*Ye,"i32"),e[1]=I(at+1*Ye,"i32"),e[2]=I(at+2*Ye,"i32")}function jt(e,t){M(e,t.row,"i32"),M(e+Ye,t.column,"i32")}function St(e){return{row:I(e,"i32"),column:I(e+Ye,"i32")}}function At(e,t){jt(e,t.startPosition),jt(e+=et,t.endPosition),M(e+=et,t.startIndex,"i32"),M(e+=Ye,t.endIndex,"i32"),e+=Ye}function Ot(e){const t={};return t.startPosition=St(e),e+=et,t.endPosition=St(e),e+=et,t.startIndex=I(e,"i32"),e+=Ye,t.endIndex=I(e,"i32"),t}for(const e of Object.getOwnPropertyNames(lt.prototype))Object.defineProperty(i.prototype,e,{value:lt.prototype[e],enumerable:!1,writable:!1});i.Language=_t,n.onRuntimeInitialized=()=>{lt.init(),t()}})))}}return i}();e.exports=s},3078:()=>{},4142:()=>{},1212:(e,t,r)=>{e.exports=r(8411)},7202:(e,t,r)=>{"use strict";var n=r(239);e.exports=n},6656:(e,t,r)=>{"use strict";r(484),r(5695),r(6138),r(9828),r(3832);var n=r(8099);e.exports=n.AggregateError},8411:(e,t,r)=>{"use strict";e.exports=r(8337)},8337:(e,t,r)=>{"use strict";r(5442);var n=r(7202);e.exports=n},814:(e,t,r)=>{"use strict";var n=r(2769),s=r(459),i=TypeError;e.exports=function(e){if(n(e))return e;throw new i(s(e)+" is not a function")}},1966:(e,t,r)=>{"use strict";var n=r(2937),s=String,i=TypeError;e.exports=function(e){if(n(e))return e;throw new i("Can't set "+s(e)+" as a prototype")}},8137:e=>{"use strict";e.exports=function(){}},7235:(e,t,r)=>{"use strict";var n=r(262),s=String,i=TypeError;e.exports=function(e){if(n(e))return e;throw new i(s(e)+" is not an object")}},1005:(e,t,r)=>{"use strict";var n=r(3273),s=r(4574),i=r(8130),o=function(e){return function(t,r,o){var a,c=n(t),u=i(c),l=s(o,u);if(e&&r!=r){for(;u>l;)if((a=c[l++])!=a)return!0}else for(;u>l;l++)if((e||l in c)&&c[l]===r)return e||l||0;return!e&&-1}};e.exports={includes:o(!0),indexOf:o(!1)}},9932:(e,t,r)=>{"use strict";var n=r(6100),s=n({}.toString),i=n("".slice);e.exports=function(e){return i(s(e),8,-1)}},8407:(e,t,r)=>{"use strict";var n=r(4904),s=r(2769),i=r(9932),o=r(8655)("toStringTag"),a=Object,c="Arguments"===i(function(){return arguments}());e.exports=n?i:function(e){var t,r,n;return void 0===e?"Undefined":null===e?"Null":"string"==typeof(r=function(e,t){try{return e[t]}catch(e){}}(t=a(e),o))?r:c?i(t):"Object"===(n=i(t))&&s(t.callee)?"Arguments":n}},7464:(e,t,r)=>{"use strict";var n=r(701),s=r(5691),i=r(4543),o=r(9989);e.exports=function(e,t,r){for(var a=s(t),c=o.f,u=i.f,l=0;l<a.length;l++){var f=a[l];n(e,f)||r&&n(r,f)||c(e,f,u(t,f))}}},2871:(e,t,r)=>{"use strict";var n=r(1203);e.exports=!n((function(){function e(){}return e.prototype.constructor=null,Object.getPrototypeOf(new e)!==e.prototype}))},877:e=>{"use strict";e.exports=function(e,t){return{value:e,done:t}}},3999:(e,t,r)=>{"use strict";var n=r(5024),s=r(9989),i=r(480);e.exports=n?function(e,t,r){return s.f(e,t,i(1,r))}:function(e,t,r){return e[t]=r,e}},480:e=>{"use strict";e.exports=function(e,t){return{enumerable:!(1&e),configurable:!(2&e),writable:!(4&e),value:t}}},3508:(e,t,r)=>{"use strict";var n=r(3999);e.exports=function(e,t,r,s){return s&&s.enumerable?e[t]=r:n(e,t,r),e}},7525:(e,t,r)=>{"use strict";var n=r(1063),s=Object.defineProperty;e.exports=function(e,t){try{s(n,e,{value:t,configurable:!0,writable:!0})}catch(r){n[e]=t}return t}},5024:(e,t,r)=>{"use strict";var n=r(1203);e.exports=!n((function(){return 7!==Object.defineProperty({},1,{get:function(){return 7}})[1]}))},9619:(e,t,r)=>{"use strict";var n=r(1063),s=r(262),i=n.document,o=s(i)&&s(i.createElement);e.exports=function(e){return o?i.createElement(e):{}}},1100:e=>{"use strict";e.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:e=>{"use strict";e.exports="undefined"!=typeof navigator&&String(navigator.userAgent)||""},4432:(e,t,r)=>{"use strict";var n,s,i=r(1063),o=r(7868),a=i.process,c=i.Deno,u=a&&a.versions||c&&c.version,l=u&&u.v8;l&&(s=(n=l.split("."))[0]>0&&n[0]<4?1:+(n[0]+n[1])),!s&&o&&(!(n=o.match(/Edge\/(\d+)/))||n[1]>=74)&&(n=o.match(/Chrome\/(\d+)/))&&(s=+n[1]),e.exports=s},9683:e=>{"use strict";e.exports=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"]},3885:(e,t,r)=>{"use strict";var n=r(6100),s=Error,i=n("".replace),o=String(new s("zxcasd").stack),a=/\n\s*at [^:]*:[^\n]*/,c=a.test(o);e.exports=function(e,t){if(c&&"string"==typeof e&&!s.prepareStackTrace)for(;t--;)e=i(e,a,"");return e}},4279:(e,t,r)=>{"use strict";var n=r(3999),s=r(3885),i=r(5791),o=Error.captureStackTrace;e.exports=function(e,t,r,a){i&&(o?o(e,t):n(e,"stack",s(r,a)))}},5791:(e,t,r)=>{"use strict";var n=r(1203),s=r(480);e.exports=!n((function(){var e=new Error("a");return!("stack"in e)||(Object.defineProperty(e,"stack",s(1,7)),7!==e.stack)}))},9098:(e,t,r)=>{"use strict";var n=r(1063),s=r(7013),i=r(9344),o=r(2769),a=r(4543).f,c=r(8696),u=r(8099),l=r(4572),f=r(3999),p=r(701),h=function(e){var t=function(r,n,i){if(this instanceof t){switch(arguments.length){case 0:return new e;case 1:return new e(r);case 2:return new e(r,n)}return new e(r,n,i)}return s(e,this,arguments)};return t.prototype=e.prototype,t};e.exports=function(e,t){var r,s,_,d,m,y,g,v,b,w=e.target,E=e.global,x=e.stat,j=e.proto,S=E?n:x?n[w]:n[w]&&n[w].prototype,A=E?u:u[w]||f(u,w,{})[w],O=A.prototype;for(d in t)s=!(r=c(E?d:w+(x?".":"#")+d,e.forced))&&S&&p(S,d),y=A[d],s&&(g=e.dontCallGetSet?(b=a(S,d))&&b.value:S[d]),m=s&&g?g:t[d],(r||j||typeof y!=typeof m)&&(v=e.bind&&s?l(m,n):e.wrap&&s?h(m):j&&o(m)?i(m):m,(e.sham||m&&m.sham||y&&y.sham)&&f(v,"sham",!0),f(A,d,v),j&&(p(u,_=w+"Prototype")||f(u,_,{}),f(u[_],d,m),e.real&&O&&(r||!O[d])&&f(O,d,m)))}},1203:e=>{"use strict";e.exports=function(e){try{return!!e()}catch(e){return!0}}},7013:(e,t,r)=>{"use strict";var n=r(1780),s=Function.prototype,i=s.apply,o=s.call;e.exports="object"==typeof Reflect&&Reflect.apply||(n?o.bind(i):function(){return o.apply(i,arguments)})},4572:(e,t,r)=>{"use strict";var n=r(9344),s=r(814),i=r(1780),o=n(n.bind);e.exports=function(e,t){return s(e),void 0===t?e:i?o(e,t):function(){return e.apply(t,arguments)}}},1780:(e,t,r)=>{"use strict";var n=r(1203);e.exports=!n((function(){var e=function(){}.bind();return"function"!=typeof e||e.hasOwnProperty("prototype")}))},4713:(e,t,r)=>{"use strict";var n=r(1780),s=Function.prototype.call;e.exports=n?s.bind(s):function(){return s.apply(s,arguments)}},3410:(e,t,r)=>{"use strict";var n=r(5024),s=r(701),i=Function.prototype,o=n&&Object.getOwnPropertyDescriptor,a=s(i,"name"),c=a&&"something"===function(){}.name,u=a&&(!n||n&&o(i,"name").configurable);e.exports={EXISTS:a,PROPER:c,CONFIGURABLE:u}},3574:(e,t,r)=>{"use strict";var n=r(6100),s=r(814);e.exports=function(e,t,r){try{return n(s(Object.getOwnPropertyDescriptor(e,t)[r]))}catch(e){}}},9344:(e,t,r)=>{"use strict";var n=r(9932),s=r(6100);e.exports=function(e){if("Function"===n(e))return s(e)}},6100:(e,t,r)=>{"use strict";var n=r(1780),s=Function.prototype,i=s.call,o=n&&s.bind.bind(i,i);e.exports=n?o:function(e){return function(){return i.apply(e,arguments)}}},1003:(e,t,r)=>{"use strict";var n=r(8099),s=r(1063),i=r(2769),o=function(e){return i(e)?e:void 0};e.exports=function(e,t){return arguments.length<2?o(n[e])||o(s[e]):n[e]&&n[e][t]||s[e]&&s[e][t]}},967:(e,t,r)=>{"use strict";var n=r(8407),s=r(4674),i=r(3057),o=r(6625),a=r(8655)("iterator");e.exports=function(e){if(!i(e))return s(e,a)||s(e,"@@iterator")||o[n(e)]}},1613:(e,t,r)=>{"use strict";var n=r(4713),s=r(814),i=r(7235),o=r(459),a=r(967),c=TypeError;e.exports=function(e,t){var r=arguments.length<2?a(e):t;if(s(r))return i(n(r,e));throw new c(o(e)+" is not iterable")}},4674:(e,t,r)=>{"use strict";var n=r(814),s=r(3057);e.exports=function(e,t){var r=e[t];return s(r)?void 0:n(r)}},1063:function(e,t,r){"use strict";var n=function(e){return e&&e.Math===Math&&e};e.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:(e,t,r)=>{"use strict";var n=r(6100),s=r(2137),i=n({}.hasOwnProperty);e.exports=Object.hasOwn||function(e,t){return i(s(e),t)}},5241:e=>{"use strict";e.exports={}},3489:(e,t,r)=>{"use strict";var n=r(1003);e.exports=n("document","documentElement")},9665:(e,t,r)=>{"use strict";var n=r(5024),s=r(1203),i=r(9619);e.exports=!n&&!s((function(){return 7!==Object.defineProperty(i("div"),"a",{get:function(){return 7}}).a}))},1395:(e,t,r)=>{"use strict";var n=r(6100),s=r(1203),i=r(9932),o=Object,a=n("".split);e.exports=s((function(){return!o("z").propertyIsEnumerable(0)}))?function(e){return"String"===i(e)?a(e,""):o(e)}:o},3507:(e,t,r)=>{"use strict";var n=r(2769),s=r(262),i=r(3491);e.exports=function(e,t,r){var o,a;return i&&n(o=t.constructor)&&o!==r&&s(a=o.prototype)&&a!==r.prototype&&i(e,a),e}},8148:(e,t,r)=>{"use strict";var n=r(262),s=r(3999);e.exports=function(e,t){n(t)&&"cause"in t&&s(e,"cause",t.cause)}},8417:(e,t,r)=>{"use strict";var n,s,i,o=r(1314),a=r(1063),c=r(262),u=r(3999),l=r(701),f=r(3753),p=r(4275),h=r(5241),_="Object already initialized",d=a.TypeError,m=a.WeakMap;if(o||f.state){var y=f.state||(f.state=new m);y.get=y.get,y.has=y.has,y.set=y.set,n=function(e,t){if(y.has(e))throw new d(_);return t.facade=e,y.set(e,t),t},s=function(e){return y.get(e)||{}},i=function(e){return y.has(e)}}else{var g=p("state");h[g]=!0,n=function(e,t){if(l(e,g))throw new d(_);return t.facade=e,u(e,g,t),t},s=function(e){return l(e,g)?e[g]:{}},i=function(e){return l(e,g)}}e.exports={set:n,get:s,has:i,enforce:function(e){return i(e)?s(e):n(e,{})},getterFor:function(e){return function(t){var r;if(!c(t)||(r=s(t)).type!==e)throw new d("Incompatible receiver, "+e+" required");return r}}}},2877:(e,t,r)=>{"use strict";var n=r(8655),s=r(6625),i=n("iterator"),o=Array.prototype;e.exports=function(e){return void 0!==e&&(s.Array===e||o[i]===e)}},2769:e=>{"use strict";var t="object"==typeof document&&document.all;e.exports=void 0===t&&void 0!==t?function(e){return"function"==typeof e||e===t}:function(e){return"function"==typeof e}},8696:(e,t,r)=>{"use strict";var n=r(1203),s=r(2769),i=/#|\.prototype\./,o=function(e,t){var r=c[a(e)];return r===l||r!==u&&(s(t)?n(t):!!t)},a=o.normalize=function(e){return String(e).replace(i,".").toLowerCase()},c=o.data={},u=o.NATIVE="N",l=o.POLYFILL="P";e.exports=o},3057:e=>{"use strict";e.exports=function(e){return null==e}},262:(e,t,r)=>{"use strict";var n=r(2769);e.exports=function(e){return"object"==typeof e?null!==e:n(e)}},2937:(e,t,r)=>{"use strict";var n=r(262);e.exports=function(e){return n(e)||null===e}},4871:e=>{"use strict";e.exports=!0},6281:(e,t,r)=>{"use strict";var n=r(1003),s=r(2769),i=r(4317),o=r(7460),a=Object;e.exports=o?function(e){return"symbol"==typeof e}:function(e){var t=n("Symbol");return s(t)&&i(t.prototype,a(e))}},208:(e,t,r)=>{"use strict";var n=r(4572),s=r(4713),i=r(7235),o=r(459),a=r(2877),c=r(8130),u=r(4317),l=r(1613),f=r(967),p=r(1743),h=TypeError,_=function(e,t){this.stopped=e,this.result=t},d=_.prototype;e.exports=function(e,t,r){var m,y,g,v,b,w,E,x=r&&r.that,j=!(!r||!r.AS_ENTRIES),S=!(!r||!r.IS_RECORD),A=!(!r||!r.IS_ITERATOR),O=!(!r||!r.INTERRUPTED),P=n(t,x),k=function(e){return m&&p(m,"normal",e),new _(!0,e)},M=function(e){return j?(i(e),O?P(e[0],e[1],k):P(e[0],e[1])):O?P(e,k):P(e)};if(S)m=e.iterator;else if(A)m=e;else{if(!(y=f(e)))throw new h(o(e)+" is not iterable");if(a(y)){for(g=0,v=c(e);v>g;g++)if((b=M(e[g]))&&u(d,b))return b;return new _(!1)}m=l(e,y)}for(w=S?e.next:m.next;!(E=s(w,m)).done;){try{b=M(E.value)}catch(e){p(m,"throw",e)}if("object"==typeof b&&b&&u(d,b))return b}return new _(!1)}},1743:(e,t,r)=>{"use strict";var n=r(4713),s=r(7235),i=r(4674);e.exports=function(e,t,r){var o,a;s(e);try{if(!(o=i(e,"return"))){if("throw"===t)throw r;return r}o=n(o,e)}catch(e){a=!0,o=e}if("throw"===t)throw r;if(a)throw o;return s(o),r}},1926:(e,t,r)=>{"use strict";var n=r(2621).IteratorPrototype,s=r(5780),i=r(480),o=r(1811),a=r(6625),c=function(){return this};e.exports=function(e,t,r,u){var l=t+" Iterator";return e.prototype=s(n,{next:i(+!u,r)}),o(e,l,!1,!0),a[l]=c,e}},164:(e,t,r)=>{"use strict";var n=r(9098),s=r(4713),i=r(4871),o=r(3410),a=r(2769),c=r(1926),u=r(3671),l=r(3491),f=r(1811),p=r(3999),h=r(3508),_=r(8655),d=r(6625),m=r(2621),y=o.PROPER,g=o.CONFIGURABLE,v=m.IteratorPrototype,b=m.BUGGY_SAFARI_ITERATORS,w=_("iterator"),E="keys",x="values",j="entries",S=function(){return this};e.exports=function(e,t,r,o,_,m,A){c(r,t,o);var O,P,k,M=function(e){if(e===_&&C)return C;if(!b&&e&&e in T)return T[e];switch(e){case E:case x:case j:return function(){return new r(this,e)}}return function(){return new r(this)}},I=t+" Iterator",N=!1,T=e.prototype,R=T[w]||T["@@iterator"]||_&&T[_],C=!b&&R||M(_),F="Array"===t&&T.entries||R;if(F&&(O=u(F.call(new e)))!==Object.prototype&&O.next&&(i||u(O)===v||(l?l(O,v):a(O[w])||h(O,w,S)),f(O,I,!0,!0),i&&(d[I]=S)),y&&_===x&&R&&R.name!==x&&(!i&&g?p(T,"name",x):(N=!0,C=function(){return s(R,this)})),_)if(P={values:M(x),keys:m?C:M(E),entries:M(j)},A)for(k in P)(b||N||!(k in T))&&h(T,k,P[k]);else n({target:t,proto:!0,forced:b||N},P);return i&&!A||T[w]===C||h(T,w,C,{name:_}),d[t]=C,P}},2621:(e,t,r)=>{"use strict";var n,s,i,o=r(1203),a=r(2769),c=r(262),u=r(5780),l=r(3671),f=r(3508),p=r(8655),h=r(4871),_=p("iterator"),d=!1;[].keys&&("next"in(i=[].keys())?(s=l(l(i)))!==Object.prototype&&(n=s):d=!0),!c(n)||o((function(){var e={};return n[_].call(e)!==e}))?n={}:h&&(n=u(n)),a(n[_])||f(n,_,(function(){return this})),e.exports={IteratorPrototype:n,BUGGY_SAFARI_ITERATORS:d}},6625:e=>{"use strict";e.exports={}},8130:(e,t,r)=>{"use strict";var n=r(8146);e.exports=function(e){return n(e.length)}},5777:e=>{"use strict";var t=Math.ceil,r=Math.floor;e.exports=Math.trunc||function(e){var n=+e;return(n>0?r:t)(n)}},4879:(e,t,r)=>{"use strict";var n=r(1139);e.exports=function(e,t){return void 0===e?arguments.length<2?"":t:n(e)}},5780:(e,t,r)=>{"use strict";var n,s=r(7235),i=r(7389),o=r(9683),a=r(5241),c=r(3489),u=r(9619),l=r(4275),f="prototype",p="script",h=l("IE_PROTO"),_=function(){},d=function(e){return"<"+p+">"+e+"</"+p+">"},m=function(e){e.write(d("")),e.close();var t=e.parentWindow.Object;return e=null,t},y=function(){try{n=new ActiveXObject("htmlfile")}catch(e){}var e,t,r;y="undefined"!=typeof document?document.domain&&n?m(n):(t=u("iframe"),r="java"+p+":",t.style.display="none",c.appendChild(t),t.src=String(r),(e=t.contentWindow.document).open(),e.write(d("document.F=Object")),e.close(),e.F):m(n);for(var s=o.length;s--;)delete y[f][o[s]];return y()};a[h]=!0,e.exports=Object.create||function(e,t){var r;return null!==e?(_[f]=s(e),r=new _,_[f]=null,r[h]=e):r=y(),void 0===t?r:i.f(r,t)}},7389:(e,t,r)=>{"use strict";var n=r(5024),s=r(1330),i=r(9989),o=r(7235),a=r(3273),c=r(8364);t.f=n&&!s?Object.defineProperties:function(e,t){o(e);for(var r,n=a(t),s=c(t),u=s.length,l=0;u>l;)i.f(e,r=s[l++],n[r]);return e}},9989:(e,t,r)=>{"use strict";var n=r(5024),s=r(9665),i=r(1330),o=r(7235),a=r(5341),c=TypeError,u=Object.defineProperty,l=Object.getOwnPropertyDescriptor,f="enumerable",p="configurable",h="writable";t.f=n?i?function(e,t,r){if(o(e),t=a(t),o(r),"function"==typeof e&&"prototype"===t&&"value"in r&&h in r&&!r[h]){var n=l(e,t);n&&n[h]&&(e[t]=r.value,r={configurable:p in r?r[p]:n[p],enumerable:f in r?r[f]:n[f],writable:!1})}return u(e,t,r)}:u:function(e,t,r){if(o(e),t=a(t),o(r),s)try{return u(e,t,r)}catch(e){}if("get"in r||"set"in r)throw new c("Accessors not supported");return"value"in r&&(e[t]=r.value),e}},4543:(e,t,r)=>{"use strict";var n=r(5024),s=r(4713),i=r(7161),o=r(480),a=r(3273),c=r(5341),u=r(701),l=r(9665),f=Object.getOwnPropertyDescriptor;t.f=n?f:function(e,t){if(e=a(e),t=c(t),l)try{return f(e,t)}catch(e){}if(u(e,t))return o(!s(i.f,e,t),e[t])}},5116:(e,t,r)=>{"use strict";var n=r(8600),s=r(9683).concat("length","prototype");t.f=Object.getOwnPropertyNames||function(e){return n(e,s)}},7313:(e,t)=>{"use strict";t.f=Object.getOwnPropertySymbols},3671:(e,t,r)=>{"use strict";var n=r(701),s=r(2769),i=r(2137),o=r(4275),a=r(2871),c=o("IE_PROTO"),u=Object,l=u.prototype;e.exports=a?u.getPrototypeOf:function(e){var t=i(e);if(n(t,c))return t[c];var r=t.constructor;return s(r)&&t instanceof r?r.prototype:t instanceof u?l:null}},4317:(e,t,r)=>{"use strict";var n=r(6100);e.exports=n({}.isPrototypeOf)},8600:(e,t,r)=>{"use strict";var n=r(6100),s=r(701),i=r(3273),o=r(1005).indexOf,a=r(5241),c=n([].push);e.exports=function(e,t){var r,n=i(e),u=0,l=[];for(r in n)!s(a,r)&&s(n,r)&&c(l,r);for(;t.length>u;)s(n,r=t[u++])&&(~o(l,r)||c(l,r));return l}},8364:(e,t,r)=>{"use strict";var n=r(8600),s=r(9683);e.exports=Object.keys||function(e){return n(e,s)}},7161:(e,t)=>{"use strict";var r={}.propertyIsEnumerable,n=Object.getOwnPropertyDescriptor,s=n&&!r.call({1:2},1);t.f=s?function(e){var t=n(this,e);return!!t&&t.enumerable}:r},3491:(e,t,r)=>{"use strict";var n=r(3574),s=r(7235),i=r(1966);e.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var e,t=!1,r={};try{(e=n(Object.prototype,"__proto__","set"))(r,[]),t=r instanceof Array}catch(e){}return function(r,n){return s(r),i(n),t?e(r,n):r.__proto__=n,r}}():void 0)},9559:(e,t,r)=>{"use strict";var n=r(4904),s=r(8407);e.exports=n?{}.toString:function(){return"[object "+s(this)+"]"}},9258:(e,t,r)=>{"use strict";var n=r(4713),s=r(2769),i=r(262),o=TypeError;e.exports=function(e,t){var r,a;if("string"===t&&s(r=e.toString)&&!i(a=n(r,e)))return a;if(s(r=e.valueOf)&&!i(a=n(r,e)))return a;if("string"!==t&&s(r=e.toString)&&!i(a=n(r,e)))return a;throw new o("Can't convert object to primitive value")}},5691:(e,t,r)=>{"use strict";var n=r(1003),s=r(6100),i=r(5116),o=r(7313),a=r(7235),c=s([].concat);e.exports=n("Reflect","ownKeys")||function(e){var t=i.f(a(e)),r=o.f;return r?c(t,r(e)):t}},8099:e=>{"use strict";e.exports={}},5516:(e,t,r)=>{"use strict";var n=r(9989).f;e.exports=function(e,t,r){r in e||n(e,r,{configurable:!0,get:function(){return t[r]},set:function(e){t[r]=e}})}},5426:(e,t,r)=>{"use strict";var n=r(3057),s=TypeError;e.exports=function(e){if(n(e))throw new s("Can't call method on "+e);return e}},1811:(e,t,r)=>{"use strict";var n=r(4904),s=r(9989).f,i=r(3999),o=r(701),a=r(9559),c=r(8655)("toStringTag");e.exports=function(e,t,r,u){var l=r?e:e&&e.prototype;l&&(o(l,c)||s(l,c,{configurable:!0,value:t}),u&&!n&&i(l,"toString",a))}},4275:(e,t,r)=>{"use strict";var n=r(8141),s=r(1268),i=n("keys");e.exports=function(e){return i[e]||(i[e]=s(e))}},3753:(e,t,r)=>{"use strict";var n=r(1063),s=r(7525),i="__core-js_shared__",o=n[i]||s(i,{});e.exports=o},8141:(e,t,r)=>{"use strict";var n=r(4871),s=r(3753);(e.exports=function(e,t){return s[e]||(s[e]=void 0!==t?t:{})})("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:(e,t,r)=>{"use strict";var n=r(6100),s=r(9903),i=r(1139),o=r(5426),a=n("".charAt),c=n("".charCodeAt),u=n("".slice),l=function(e){return function(t,r){var n,l,f=i(o(t)),p=s(r),h=f.length;return p<0||p>=h?e?"":void 0:(n=c(f,p))<55296||n>56319||p+1===h||(l=c(f,p+1))<56320||l>57343?e?a(f,p):n:e?u(f,p,p+2):l-56320+(n-55296<<10)+65536}};e.exports={codeAt:l(!1),charAt:l(!0)}},4603:(e,t,r)=>{"use strict";var n=r(4432),s=r(1203),i=r(1063).String;e.exports=!!Object.getOwnPropertySymbols&&!s((function(){var e=Symbol("symbol detection");return!i(e)||!(Object(e)instanceof Symbol)||!Symbol.sham&&n&&n<41}))},4574:(e,t,r)=>{"use strict";var n=r(9903),s=Math.max,i=Math.min;e.exports=function(e,t){var r=n(e);return r<0?s(r+t,0):i(r,t)}},3273:(e,t,r)=>{"use strict";var n=r(1395),s=r(5426);e.exports=function(e){return n(s(e))}},9903:(e,t,r)=>{"use strict";var n=r(5777);e.exports=function(e){var t=+e;return t!=t||0===t?0:n(t)}},8146:(e,t,r)=>{"use strict";var n=r(9903),s=Math.min;e.exports=function(e){var t=n(e);return t>0?s(t,9007199254740991):0}},2137:(e,t,r)=>{"use strict";var n=r(5426),s=Object;e.exports=function(e){return s(n(e))}},493:(e,t,r)=>{"use strict";var n=r(4713),s=r(262),i=r(6281),o=r(4674),a=r(9258),c=r(8655),u=TypeError,l=c("toPrimitive");e.exports=function(e,t){if(!s(e)||i(e))return e;var r,c=o(e,l);if(c){if(void 0===t&&(t="default"),r=n(c,e,t),!s(r)||i(r))return r;throw new u("Can't convert object to primitive value")}return void 0===t&&(t="number"),a(e,t)}},5341:(e,t,r)=>{"use strict";var n=r(493),s=r(6281);e.exports=function(e){var t=n(e,"string");return s(t)?t:t+""}},4904:(e,t,r)=>{"use strict";var n={};n[r(8655)("toStringTag")]="z",e.exports="[object z]"===String(n)},1139:(e,t,r)=>{"use strict";var n=r(8407),s=String;e.exports=function(e){if("Symbol"===n(e))throw new TypeError("Cannot convert a Symbol value to a string");return s(e)}},459:e=>{"use strict";var t=String;e.exports=function(e){try{return t(e)}catch(e){return"Object"}}},1268:(e,t,r)=>{"use strict";var n=r(6100),s=0,i=Math.random(),o=n(1..toString);e.exports=function(e){return"Symbol("+(void 0===e?"":e)+")_"+o(++s+i,36)}},7460:(e,t,r)=>{"use strict";var n=r(4603);e.exports=n&&!Symbol.sham&&"symbol"==typeof Symbol.iterator},1330:(e,t,r)=>{"use strict";var n=r(5024),s=r(1203);e.exports=n&&s((function(){return 42!==Object.defineProperty((function(){}),"prototype",{value:42,writable:!1}).prototype}))},1314:(e,t,r)=>{"use strict";var n=r(1063),s=r(2769),i=n.WeakMap;e.exports=s(i)&&/native code/.test(String(i))},8655:(e,t,r)=>{"use strict";var n=r(1063),s=r(8141),i=r(701),o=r(1268),a=r(4603),c=r(7460),u=n.Symbol,l=s("wks"),f=c?u.for||u:u&&u.withoutSetter||o;e.exports=function(e){return i(l,e)||(l[e]=a&&i(u,e)?u[e]:f("Symbol."+e)),l[e]}},6453:(e,t,r)=>{"use strict";var n=r(1003),s=r(701),i=r(3999),o=r(4317),a=r(3491),c=r(7464),u=r(5516),l=r(3507),f=r(4879),p=r(8148),h=r(4279),_=r(5024),d=r(4871);e.exports=function(e,t,r,m){var y="stackTraceLimit",g=m?2:1,v=e.split("."),b=v[v.length-1],w=n.apply(null,v);if(w){var E=w.prototype;if(!d&&s(E,"cause")&&delete E.cause,!r)return w;var x=n("Error"),j=t((function(e,t){var r=f(m?t:e,void 0),n=m?new w(e):new w;return void 0!==r&&i(n,"message",r),h(n,j,n.stack,2),this&&o(E,this)&&l(n,this,j),arguments.length>g&&p(n,arguments[g]),n}));if(j.prototype=E,"Error"!==b?a?a(j,x):c(j,x,{name:!0}):_&&y in w&&(u(j,w,y),u(j,w,"prepareStackTrace")),c(j,w),!d)try{E.name!==b&&i(E,"name",b),E.constructor=j}catch(e){}return j}}},6138:(e,t,r)=>{"use strict";var n=r(9098),s=r(1003),i=r(7013),o=r(1203),a=r(6453),c="AggregateError",u=s(c),l=!o((function(){return 1!==u([1]).errors[0]}))&&o((function(){return 7!==u([1],c,{cause:7}).cause}));n({global:!0,constructor:!0,arity:2,forced:l},{AggregateError:a(c,(function(e){return function(t,r){return i(e,this,arguments)}}),l,!0)})},3085:(e,t,r)=>{"use strict";var n=r(9098),s=r(4317),i=r(3671),o=r(3491),a=r(7464),c=r(5780),u=r(3999),l=r(480),f=r(8148),p=r(4279),h=r(208),_=r(4879),d=r(8655)("toStringTag"),m=Error,y=[].push,g=function(e,t){var r,n=s(v,this);o?r=o(new m,n?i(this):v):(r=n?this:c(v),u(r,d,"Error")),void 0!==t&&u(r,"message",_(t)),p(r,g,r.stack,1),arguments.length>2&&f(r,arguments[2]);var a=[];return h(e,y,{that:a}),u(r,"errors",a),r};o?o(g,m):a(g,m,{name:!0});var v=g.prototype=c(m.prototype,{constructor:l(1,g),message:l(1,""),name:l(1,"AggregateError")});n({global:!0,constructor:!0,arity:2},{AggregateError:g})},5695:(e,t,r)=>{"use strict";r(3085)},9828:(e,t,r)=>{"use strict";var n=r(3273),s=r(8137),i=r(6625),o=r(8417),a=r(9989).f,c=r(164),u=r(877),l=r(4871),f=r(5024),p="Array Iterator",h=o.set,_=o.getterFor(p);e.exports=c(Array,"Array",(function(e,t){h(this,{type:p,target:n(e),index:0,kind:t})}),(function(){var e=_(this),t=e.target,r=e.index++;if(!t||r>=t.length)return e.target=void 0,u(void 0,!0);switch(e.kind){case"keys":return u(r,!1);case"values":return u(t[r],!1)}return u([r,t[r]],!1)}),"values");var d=i.Arguments=i.Array;if(s("keys"),s("values"),s("entries"),!l&&f&&"values"!==d.name)try{a(d,"name",{value:"values"})}catch(e){}},484:(e,t,r)=>{"use strict";var n=r(9098),s=r(1063),i=r(7013),o=r(6453),a="WebAssembly",c=s[a],u=7!==new Error("e",{cause:7}).cause,l=function(e,t){var r={};r[e]=o(e,t,u),n({global:!0,constructor:!0,arity:1,forced:u},r)},f=function(e,t){if(c&&c[e]){var r={};r[e]=o(a+"."+e,t,u),n({target:a,stat:!0,constructor:!0,arity:1,forced:u},r)}};l("Error",(function(e){return function(t){return i(e,this,arguments)}})),l("EvalError",(function(e){return function(t){return i(e,this,arguments)}})),l("RangeError",(function(e){return function(t){return i(e,this,arguments)}})),l("ReferenceError",(function(e){return function(t){return i(e,this,arguments)}})),l("SyntaxError",(function(e){return function(t){return i(e,this,arguments)}})),l("TypeError",(function(e){return function(t){return i(e,this,arguments)}})),l("URIError",(function(e){return function(t){return i(e,this,arguments)}})),f("CompileError",(function(e){return function(t){return i(e,this,arguments)}})),f("LinkError",(function(e){return function(t){return i(e,this,arguments)}})),f("RuntimeError",(function(e){return function(t){return i(e,this,arguments)}}))},3832:(e,t,r)=>{"use strict";var n=r(5571).charAt,s=r(1139),i=r(8417),o=r(164),a=r(877),c="String Iterator",u=i.set,l=i.getterFor(c);o(String,"String",(function(e){u(this,{type:c,string:s(e),index:0})}),(function(){var e,t=l(this),r=t.string,s=t.index;return s>=r.length?a(void 0,!0):(e=n(r,s),t.index+=e.length,a(e,!1))}))},5442:(e,t,r)=>{"use strict";r(5695)},85:(e,t,r)=>{"use strict";r(9828);var n=r(1100),s=r(1063),i=r(1811),o=r(6625);for(var a in n)i(s[a],a),o[a]=o.Array},239:(e,t,r)=>{"use strict";r(5442);var n=r(6656);r(85),e.exports=n}},t={};function r(n){var s=t[n];if(void 0!==s)return s.exports;var i=t[n]={id:n,loaded:!1,exports:{}};return e[n].call(i.exports,i,i.exports,r),i.loaded=!0,i.exports}r.d=(e,t)=>{for(var n in t)r.o(t,n)&&!r.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},r.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),r.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),r.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},r.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),(()=>{var e;r.g.importScripts&&(e=r.g.location+"");var t=r.g.document;if(!e&&t&&(t.currentScript&&(e=t.currentScript.src),!e)){var n=t.getElementsByTagName("script");if(n.length)for(var s=n.length-1;s>-1&&(!e||!/^http(s?):/.test(e));)e=n[s--].src}if(!e)throw new Error("Automatic publicPath is not supported in this browser");e=e.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),r.p=e})();var n={};return(()=>{"use strict";r.r(n),r.d(n,{detect:()=>Ri,detectionRegExp:()=>Ti,mediaTypes:()=>Ni,namespace:()=>Fi,parse:()=>Ci});var e={};r.r(e),r.d(e,{hasElementSourceMap:()=>Qt,includesClasses:()=>tr,includesSymbols:()=>er,isAnnotationElement:()=>Kt,isArrayElement:()=>Ut,isBooleanElement:()=>Bt,isCommentElement:()=>Ht,isElement:()=>$t,isLinkElement:()=>Wt,isMemberElement:()=>Gt,isNullElement:()=>zt,isNumberElement:()=>Vt,isObjectElement:()=>Dt,isParseResultElement:()=>Xt,isPrimitiveElement:()=>Yt,isRefElement:()=>Zt,isSourceMapElement:()=>Jt,isStringElement:()=>Lt});var t={};function s(e){return null!=e&&"object"==typeof e&&!0===e["@@functional/placeholder"]}function i(e){return function t(r){return 0===arguments.length||s(r)?t:e.apply(this,arguments)}}function o(e){return function t(r,n){switch(arguments.length){case 0:return t;case 1:return s(r)?t:i((function(t){return e(r,t)}));default:return s(r)&&s(n)?t:s(r)?i((function(t){return e(t,n)})):s(n)?i((function(t){return e(r,t)})):e(r,n)}}}function a(e){return function t(r,n,a){switch(arguments.length){case 0:return t;case 1:return s(r)?t:o((function(t,n){return e(r,t,n)}));case 2:return s(r)&&s(n)?t:s(r)?o((function(t,r){return e(t,n,r)})):s(n)?o((function(t,n){return e(r,t,n)})):i((function(t){return e(r,n,t)}));default:return s(r)&&s(n)&&s(a)?t:s(r)&&s(n)?o((function(t,r){return e(t,r,a)})):s(r)&&s(a)?o((function(t,r){return e(t,n,r)})):s(n)&&s(a)?o((function(t,n){return e(r,t,n)})):s(r)?i((function(t){return e(t,n,a)})):s(n)?i((function(t){return e(r,t,a)})):s(a)?i((function(t){return e(r,n,t)})):e(r,n,a)}}}r.r(t),r.d(t,{isInfoElement:()=>di,isMainElement:()=>_i,isPrincipleElement:()=>mi,isRequirementElement:()=>yi,isRequirementLevelElement:()=>gi,isScenarioElement:()=>vi,isStandardElement:()=>bi,isStandardIdentifierElement:()=>wi});const c=o((function(e,t){return null==t||t!=t?e:t})),u=Number.isInteger||function(e){return e<<0===e};function l(e){return"[object String]"===Object.prototype.toString.call(e)}const f=o((function(e,t){var r=e<0?t.length+e:e;return l(t)?t.charAt(r):t[r]}));const p=o((function(e,t){if(null!=t)return u(e)?f(e,t):t[e]}));const h=a((function(e,t,r){return c(e,p(t,r))}));var _=o((function(e,t){for(var r={},n={},s=0,i=e.length;s<i;)n[e[s]]=1,s+=1;for(var o in t)n.hasOwnProperty(o)||(r[o]=t[o]);return r}));const d=_;function m(e,t,r){for(var n=0,s=r.length;n<s;)t=e(t,r[n]),n+=1;return t}const y=Array.isArray||function(e){return null!=e&&e.length>=0&&"[object Array]"===Object.prototype.toString.call(e)};const g=i((function(e){return!!y(e)||!!e&&("object"==typeof e&&(!l(e)&&(0===e.length||e.length>0&&(e.hasOwnProperty(0)&&e.hasOwnProperty(e.length-1)))))}));var v="undefined"!=typeof Symbol?Symbol.iterator:"@@iterator";function b(e,t,r){return function(n,s,i){if(g(i))return e(n,s,i);if(null==i)return s;if("function"==typeof i["fantasy-land/reduce"])return t(n,s,i,"fantasy-land/reduce");if(null!=i[v])return r(n,s,i[v]());if("function"==typeof i.next)return r(n,s,i);if("function"==typeof i.reduce)return t(n,s,i,"reduce");throw new TypeError("reduce: list must be array or iterable")}}function w(e,t,r){for(var n=r.next();!n.done;)t=e(t,n.value),n=r.next();return t}function E(e,t,r,n){return r[n](e,t)}const x=b(m,E,w);function j(e,t,r){return function(){if(0===arguments.length)return r();var n=arguments[arguments.length-1];if(!y(n)){for(var s=0;s<e.length;){if("function"==typeof n[e[s]])return n[e[s]].apply(n,Array.prototype.slice.call(arguments,0,-1));s+=1}if(function(e){return null!=e&&"function"==typeof e["@@transducer/step"]}(n))return t.apply(null,Array.prototype.slice.call(arguments,0,-1))(n)}return r.apply(this,arguments)}}function S(e,t){for(var r=0,n=t.length,s=Array(n);r<n;)s[r]=e(t[r]),r+=1;return s}const A=function(){return this.xf["@@transducer/init"]()},O=function(e){return this.xf["@@transducer/result"](e)};var P=function(){function e(e,t){this.xf=t,this.f=e}return e.prototype["@@transducer/init"]=A,e.prototype["@@transducer/result"]=O,e.prototype["@@transducer/step"]=function(e,t){return this.xf["@@transducer/step"](e,this.f(t))},e}();const k=function(e){return function(t){return new P(e,t)}};function M(e,t){switch(e){case 0:return function(){return t.apply(this,arguments)};case 1:return function(e){return t.apply(this,arguments)};case 2:return function(e,r){return t.apply(this,arguments)};case 3:return function(e,r,n){return t.apply(this,arguments)};case 4:return function(e,r,n,s){return t.apply(this,arguments)};case 5:return function(e,r,n,s,i){return t.apply(this,arguments)};case 6:return function(e,r,n,s,i,o){return t.apply(this,arguments)};case 7:return function(e,r,n,s,i,o,a){return t.apply(this,arguments)};case 8:return function(e,r,n,s,i,o,a,c){return t.apply(this,arguments)};case 9:return function(e,r,n,s,i,o,a,c,u){return t.apply(this,arguments)};case 10:return function(e,r,n,s,i,o,a,c,u,l){return t.apply(this,arguments)};default:throw new Error("First argument to _arity must be a non-negative integer no greater than ten")}}function I(e,t,r){return function(){for(var n=[],i=0,o=e,a=0,c=!1;a<t.length||i<arguments.length;){var u;a<t.length&&(!s(t[a])||i>=arguments.length)?u=t[a]:(u=arguments[i],i+=1),n[a]=u,s(u)?c=!0:o-=1,a+=1}return!c&&o<=0?r.apply(this,n):M(Math.max(0,o),I(e,n,r))}}const N=o((function(e,t){return 1===e?i(t):M(e,I(e,[],t))}));function T(e,t){return Object.prototype.hasOwnProperty.call(t,e)}var R=Object.prototype.toString;const C=function(){return"[object Arguments]"===R.call(arguments)?function(e){return"[object Arguments]"===R.call(e)}:function(e){return T("callee",e)}}();var F=!{toString:null}.propertyIsEnumerable("toString"),q=["constructor","valueOf","isPrototypeOf","toString","propertyIsEnumerable","hasOwnProperty","toLocaleString"],$=function(){return arguments.propertyIsEnumerable("length")}(),L=function(e,t){for(var r=0;r<e.length;){if(e[r]===t)return!0;r+=1}return!1},V="function"!=typeof Object.keys||$?i((function(e){if(Object(e)!==e)return[];var t,r,n=[],s=$&&C(e);for(t in e)!T(t,e)||s&&"length"===t||(n[n.length]=t);if(F)for(r=q.length-1;r>=0;)T(t=q[r],e)&&!L(n,t)&&(n[n.length]=t),r-=1;return n})):i((function(e){return Object(e)!==e?[]:Object.keys(e)}));const z=V;const B=o(j(["fantasy-land/map","map"],k,(function(e,t){switch(Object.prototype.toString.call(t)){case"[object Function]":return N(t.length,(function(){return e.call(this,t.apply(this,arguments))}));case"[object Object]":return m((function(r,n){return r[n]=e(t[n]),r}),{},z(t));default:return S(e,t)}})));const D=o((function(e,t){return"function"==typeof t["fantasy-land/ap"]?t["fantasy-land/ap"](e):"function"==typeof e.ap?e.ap(t):"function"==typeof e?function(r){return e(r)(t(r))}:x((function(e,r){return function(e,t){var r;t=t||[];var n=(e=e||[]).length,s=t.length,i=[];for(r=0;r<n;)i[i.length]=e[r],r+=1;for(r=0;r<s;)i[i.length]=t[r],r+=1;return i}(e,B(r,t))}),[],e)}));const U=o((function(e,t){var r=N(e,t);return N(e,(function(){return m(D,B(r,arguments[0]),Array.prototype.slice.call(arguments,1))}))}));const G=i((function(e){return U(e.length,e)}));const W=G(i((function(e){return!e})));function Z(e){for(var t,r=[];!(t=e.next()).done;)r.push(t.value);return r}function K(e,t,r){for(var n=0,s=r.length;n<s;){if(e(t,r[n]))return!0;n+=1}return!1}const H="function"==typeof Object.is?Object.is:function(e,t){return e===t?0!==e||1/e==1/t:e!=e&&t!=t};const X=i((function(e){return null===e?"Null":void 0===e?"Undefined":Object.prototype.toString.call(e).slice(8,-1)}));function J(e,t,r,n){var s=Z(e);function i(e,t){return Y(e,t,r.slice(),n.slice())}return!K((function(e,t){return!K(i,t,e)}),Z(t),s)}function Y(e,t,r,n){if(H(e,t))return!0;var s,i,o=X(e);if(o!==X(t))return!1;if("function"==typeof e["fantasy-land/equals"]||"function"==typeof t["fantasy-land/equals"])return"function"==typeof e["fantasy-land/equals"]&&e["fantasy-land/equals"](t)&&"function"==typeof t["fantasy-land/equals"]&&t["fantasy-land/equals"](e);if("function"==typeof e.equals||"function"==typeof t.equals)return"function"==typeof e.equals&&e.equals(t)&&"function"==typeof t.equals&&t.equals(e);switch(o){case"Arguments":case"Array":case"Object":if("function"==typeof e.constructor&&"Promise"===(s=e.constructor,null==(i=String(s).match(/^function (\w*)/))?"":i[1]))return e===t;break;case"Boolean":case"Number":case"String":if(typeof e!=typeof t||!H(e.valueOf(),t.valueOf()))return!1;break;case"Date":if(!H(e.valueOf(),t.valueOf()))return!1;break;case"Error":return e.name===t.name&&e.message===t.message;case"RegExp":if(e.source!==t.source||e.global!==t.global||e.ignoreCase!==t.ignoreCase||e.multiline!==t.multiline||e.sticky!==t.sticky||e.unicode!==t.unicode)return!1}for(var a=r.length-1;a>=0;){if(r[a]===e)return n[a]===t;a-=1}switch(o){case"Map":return e.size===t.size&&J(e.entries(),t.entries(),r.concat([e]),n.concat([t]));case"Set":return e.size===t.size&&J(e.values(),t.values(),r.concat([e]),n.concat([t]));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 c=z(e);if(c.length!==z(t).length)return!1;var u=r.concat([e]),l=n.concat([t]);for(a=c.length-1;a>=0;){var f=c[a];if(!T(f,t)||!Y(t[f],e[f],u,l))return!1;a-=1}return!0}const Q=o((function(e,t){return Y(e,t,[],[])}));const ee=i((function(e){return function(){return e}}));var te=ee(void 0);const re=Q(te());const ne=W(re);var se=r(8326);function ie(e,t){return function(){return t.call(this,e.apply(this,arguments))}}function oe(e,t,r){for(var n=0,s=r.length;n<s;){if((t=e["@@transducer/step"](t,r[n]))&&t["@@transducer/reduced"]){t=t["@@transducer/value"];break}n+=1}return e["@@transducer/result"](t)}const ae=o((function(e,t){return M(e.length,(function(){return e.apply(t,arguments)}))}));function ce(e,t,r){for(var n=r.next();!n.done;){if((t=e["@@transducer/step"](t,n.value))&&t["@@transducer/reduced"]){t=t["@@transducer/value"];break}n=r.next()}return e["@@transducer/result"](t)}function ue(e,t,r,n){return e["@@transducer/result"](r[n](ae(e["@@transducer/step"],e),t))}const le=b(oe,ue,ce);var fe=function(){function e(e){this.f=e}return e.prototype["@@transducer/init"]=function(){throw new Error("init not implemented on XWrap")},e.prototype["@@transducer/result"]=function(e){return e},e.prototype["@@transducer/step"]=function(e,t){return this.f(e,t)},e}();const pe=a((function(e,t,r){return le("function"==typeof e?new fe(e):e,t,r)}));function he(e,t){return function(){var r=arguments.length;if(0===r)return t();var n=arguments[r-1];return y(n)||"function"!=typeof n[e]?t.apply(this,arguments):n[e].apply(n,Array.prototype.slice.call(arguments,0,r-1))}}const _e=a(he("slice",(function(e,t,r){return Array.prototype.slice.call(r,e,t)})));const de=i(he("tail",_e(1,1/0)));function me(){if(0===arguments.length)throw new Error("pipe requires at least one argument");return M(arguments[0].length,pe(ie,arguments[0],de(arguments)))}var ye=function(e,t){switch(arguments.length){case 0:return ye;case 1:return function t(r){return 0===arguments.length?t:H(e,r)};default:return H(e,t)}};const ge=ye;function ve(e,t){return function(e,t,r){var n,s;if("function"==typeof e.indexOf)switch(typeof t){case"number":if(0===t){for(n=1/t;r<e.length;){if(0===(s=e[r])&&1/s===n)return r;r+=1}return-1}if(t!=t){for(;r<e.length;){if("number"==typeof(s=e[r])&&s!=s)return r;r+=1}return-1}return e.indexOf(t,r);case"string":case"boolean":case"function":case"undefined":return e.indexOf(t,r);case"object":if(null===t)return e.indexOf(t,r)}for(;r<e.length;){if(Q(e[r],t))return r;r+=1}return-1}(t,e,0)>=0}function be(e){return'"'+e.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 we=function(e){return(e<10?"0":"")+e};const Ee="function"==typeof Date.prototype.toISOString?function(e){return e.toISOString()}:function(e){return e.getUTCFullYear()+"-"+we(e.getUTCMonth()+1)+"-"+we(e.getUTCDate())+"T"+we(e.getUTCHours())+":"+we(e.getUTCMinutes())+":"+we(e.getUTCSeconds())+"."+(e.getUTCMilliseconds()/1e3).toFixed(3).slice(2,5)+"Z"};function xe(e){return"[object Object]"===Object.prototype.toString.call(e)}var je=function(){function e(e,t){this.xf=t,this.f=e}return e.prototype["@@transducer/init"]=A,e.prototype["@@transducer/result"]=O,e.prototype["@@transducer/step"]=function(e,t){return this.f(t)?this.xf["@@transducer/step"](e,t):e},e}();function Se(e){return function(t){return new je(e,t)}}const Ae=o(j(["fantasy-land/filter","filter"],Se,(function(e,t){return xe(t)?m((function(r,n){return e(t[n])&&(r[n]=t[n]),r}),{},z(t)):function(e,t){for(var r=0,n=t.length,s=[];r<n;)e(t[r])&&(s[s.length]=t[r]),r+=1;return s}(e,t)})));const Oe=o((function(e,t){return Ae((r=e,function(){return!r.apply(this,arguments)}),t);var r}));function Pe(e,t){var r=function(r){var n=t.concat([e]);return ve(r,n)?"<Circular>":Pe(r,n)},n=function(e,t){return S((function(t){return be(t)+": "+r(e[t])}),t.slice().sort())};switch(Object.prototype.toString.call(e)){case"[object Arguments]":return"(function() { return arguments; }("+S(r,e).join(", ")+"))";case"[object Array]":return"["+S(r,e).concat(n(e,Oe((function(e){return/^\d+$/.test(e)}),z(e)))).join(", ")+"]";case"[object Boolean]":return"object"==typeof e?"new Boolean("+r(e.valueOf())+")":e.toString();case"[object Date]":return"new Date("+(isNaN(e.valueOf())?r(NaN):be(Ee(e)))+")";case"[object Map]":return"new Map("+r(Array.from(e))+")";case"[object Null]":return"null";case"[object Number]":return"object"==typeof e?"new Number("+r(e.valueOf())+")":1/e==-1/0?"-0":e.toString(10);case"[object Set]":return"new Set("+r(Array.from(e).sort())+")";case"[object String]":return"object"==typeof e?"new String("+r(e.valueOf())+")":be(e);case"[object Undefined]":return"undefined";default:if("function"==typeof e.toString){var s=e.toString();if("[object Object]"!==s)return s}return"{"+n(e,z(e)).join(", ")+"}"}}const ke=i((function(e){return Pe(e,[])}));const Me=o((function(e,t){return e.map((function(e){for(var r,n=t,s=0;s<e.length;){if(null==n)return;r=e[s],n=u(r)?f(r,n):n[r],s+=1}return n}))}));const Ie=o((function(e,t){return Me([e],t)[0]}));const Ne=a((function(e,t,r){return e(Ie(t,r))}));function Te(e){var t=Object.prototype.toString.call(e);return"[object Function]"===t||"[object AsyncFunction]"===t||"[object GeneratorFunction]"===t||"[object AsyncGeneratorFunction]"===t}const Re=o((function(e,t){return e&&t}));const Ce=o((function(e,t){return Te(e)?function(){return e.apply(this,arguments)&&t.apply(this,arguments)}:G(Re)(e,t)}));const Fe=Q(null);var qe=W(Fe);function $e(e){return $e="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},$e(e)}const Le=N(1,Ce(qe,(function(e){return"object"===$e(e)})));const Ve=o((function(e,t){if(e===t)return t;function r(e,t){if(e>t!=t>e)return t>e?t:e}var n=r(e,t);if(void 0!==n)return n;var s=r(typeof e,typeof t);if(void 0!==s)return s===typeof e?e:t;var i=ke(e),o=r(i,ke(t));return void 0!==o&&o===i?e:t}));const ze=o((function(e,t){return B(p(e),t)}));const Be=i((function(e){return N(pe(Ve,0,ze("length",e)),(function(){for(var t=0,r=e.length;t<r;){if(e[t].apply(this,arguments))return!0;t+=1}return!1}))}));const De=N(1,me(X,ge("GeneratorFunction")));const Ue=N(1,me(X,ge("AsyncFunction")));const Ge=Be([me(X,ge("Function")),De,Ue]);var We=me(X,ge("Object")),Ze=me(ke,Q(ke(Object))),Ke=Ne(Ce(Ge,Ze),["constructor"]);const He=N(1,(function(e){if(!Le(e)||!We(e))return!1;var t=Object.getPrototypeOf(e);return!!Fe(t)||Ke(t)}));class Xe extends se.Om{constructor(e,t,r){super(e,t,r),this.element="annotation"}get code(){return this.attributes.get("code")}set code(e){this.attributes.set("code",e)}}const Je=Xe;class Ye extends se.Om{constructor(e,t,r){super(e,t,r),this.element="comment"}}const Qe=Ye;class et extends se.wE{constructor(e,t,r){super(e,t,r),this.element="parseResult"}get api(){return this.children.filter((e=>e.classes.contains("api"))).first}get results(){return this.children.filter((e=>e.classes.contains("result")))}get result(){return this.results.first}get annotations(){return this.children.filter((e=>"annotation"===e.element))}get warnings(){return this.children.filter((e=>"annotation"===e.element&&e.classes.contains("warning")))}get errors(){return this.children.filter((e=>"annotation"===e.element&&e.classes.contains("error")))}get isEmpty(){return this.children.reject((e=>"annotation"===e.element)).isEmpty}replaceResult(e){const{result:t}=this;if(re(t))return!1;const r=this.content.findIndex((e=>e===t));return-1!==r&&(this.content[r]=e,!0)}}const tt=et;class rt extends se.wE{constructor(e,t,r){super(e,t,r),this.element="sourceMap"}get positionStart(){return this.children.filter((e=>e.classes.contains("position"))).get(0)}get positionEnd(){return this.children.filter((e=>e.classes.contains("position"))).get(1)}set position(e){if(void 0===e)return;const t=new se.wE([e.start.row,e.start.column,e.start.char]),r=new se.wE([e.end.row,e.end.column,e.end.char]);t.classes.push("position"),r.classes.push("position"),this.push(t).push(r)}}const nt=rt;class st extends se.g${constructor(){super(),this.register("annotation",Je),this.register("comment",Qe),this.register("parseResult",tt),this.register("sourceMap",nt)}}const it=new st,ot=e=>{const t=new st;return He(e)&&t.use(e),t},at=it;const ct=N(1,me(X,ge("String"))),ut=r.p+"23aac571c96605dc25219087ad291441.wasm",lt=globalThis.fetch;Ge(lt)&&(globalThis.fetch=(...e)=>ct(e[0])&&e[0].endsWith("tree-sitter.wasm")?lt.apply(globalThis,[ut,de(e)]):lt.apply(globalThis,e));var ft=r(3833),pt=r(1212);const ht=class extends pt{constructor(e,t,r){if(super(e,t,r),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!=r&&"object"==typeof r&&Object.hasOwn(r,"cause")&&!("cause"in this)){const{cause:e}=r;this.cause=e,e instanceof Error&&"stack"in e&&(this.stack=`${this.stack}\nCAUSE: ${e.stack}`)}}};class _t extends Error{static[Symbol.hasInstance](e){return super[Symbol.hasInstance](e)||Function.prototype[Symbol.hasInstance].call(ht,e)}constructor(e,t){if(super(e,t),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!=t&&"object"==typeof t&&Object.hasOwn(t,"cause")&&!("cause"in this)){const{cause:e}=t;this.cause=e,e instanceof Error&&"stack"in e&&(this.stack=`${this.stack}\nCAUSE: ${e.stack}`)}}}const dt=_t,mt=r.p+"64a30dfa8a51b6a090ebd363beeaad5d.wasm";let yt=null,gt=null;const vt=async e=>{if(null===yt&&null===gt)gt=ft.init().then((()=>ft.Language.load(mt))).then((e=>{const t=new ft;return t.setLanguage(e),t})).finally((()=>{gt=null})),yt=await gt;else if(null===yt&&null!==gt)yt=await gt;else if(null===yt)throw new dt("Error while initializing web-tree-sitter and loading tree-sitter-json grammar.");return yt.parse(e)};const bt=class extends dt{constructor(e,t){if(super(e,t),null!=t&&"object"==typeof t){const{cause:e,...r}=t;Object.assign(this,r)}}},wt=(e,t,r)=>{const n=e[t];if(null!=n){if(!r&&"function"==typeof n)return n;const e=r?n.leave:n.enter;if("function"==typeof e)return e}else{const n=r?e.leave:e.enter;if(null!=n){if("function"==typeof n)return n;const e=n[t];if("function"==typeof e)return e}}return null},Et={},xt=e=>null==e?void 0:e.type,jt=e=>"string"==typeof xt(e),St=e=>Object.create(Object.getPrototypeOf(e),Object.getOwnPropertyDescriptors(e)),At=(e,{visitFnGetter:t=wt,nodeTypeGetter:r=xt,breakSymbol:n=Et,deleteNodeSymbol:s=null,skipVisitingNodeSymbol:i=!1,exposeEdits:o=!1}={})=>{const a=Symbol("skip"),c=new Array(e.length).fill(a);return{enter(u,...l){let f=u,p=!1;for(let h=0;h<e.length;h+=1)if(c[h]===a){const a=t(e[h],r(f),!1);if("function"==typeof a){const t=a.call(e[h],f,...l);if(t===i)c[h]=u;else if(t===n)c[h]=n;else{if(t===s)return t;if(void 0!==t){if(!o)return t;f=t,p=!0}}}}return p?f:void 0},leave(s,...o){for(let u=0;u<e.length;u+=1)if(c[u]===a){const a=t(e[u],r(s),!0);if("function"==typeof a){const t=a.call(e[u],s,...o);if(t===n)c[u]=n;else if(void 0!==t&&t!==i)return t}}else c[u]===s&&(c[u]=a)}}};At[Symbol.for("nodejs.util.promisify.custom")]=(e,{visitFnGetter:t=wt,nodeTypeGetter:r=xt,breakSymbol:n=Et,deleteNodeSymbol:s=null,skipVisitingNodeSymbol:i=!1,exposeEdits:o=!1}={})=>{const a=Symbol("skip"),c=new Array(e.length).fill(a);return{async enter(u,...l){let f=u,p=!1;for(let h=0;h<e.length;h+=1)if(c[h]===a){const a=t(e[h],r(f),!1);if("function"==typeof a){const t=await a.call(e[h],f,...l);if(t===i)c[h]=u;else if(t===n)c[h]=n;else{if(t===s)return t;if(void 0!==t){if(!o)return t;f=t,p=!0}}}}return p?f:void 0},async leave(s,...o){for(let u=0;u<e.length;u+=1)if(c[u]===a){const a=t(e[u],r(s),!0);if("function"==typeof a){const t=await a.call(e[u],s,...o);if(t===n)c[u]=n;else if(void 0!==t&&t!==i)return t}}else c[u]===s&&(c[u]=a)}}};const Ot=(e,t,{keyMap:r=null,state:n={},breakSymbol:s=Et,deleteNodeSymbol:i=null,skipVisitingNodeSymbol:o=!1,visitFnGetter:a=wt,nodeTypeGetter:c=xt,nodePredicate:u=jt,nodeCloneFn:l=St,detectCycles:f=!0}={})=>{const p=r||{};let h,_,d=Array.isArray(e),m=[e],y=-1,g=[],v=e;const b=[],w=[];do{y+=1;const e=y===m.length;let r;const x=e&&0!==g.length;if(e){if(r=0===w.length?void 0:b.pop(),v=_,_=w.pop(),x)if(d){v=v.slice();let e=0;for(const[t,r]of g){const n=t-e;r===i?(v.splice(n,1),e+=1):v[n]=r}}else{v=l(v);for(const[e,t]of g)v[e]=t}y=h.index,m=h.keys,g=h.edits,d=h.inArray,h=h.prev}else if(_!==i&&void 0!==_){if(r=d?y:m[y],v=_[r],v===i||void 0===v)continue;b.push(r)}let j;if(!Array.isArray(v)){if(!u(v))throw new bt(`Invalid AST Node: ${String(v)}`,{node:v});if(f&&w.includes(v)){b.pop();continue}const i=a(t,c(v),e);if(i){for(const[e,r]of Object.entries(n))t[e]=r;j=i.call(t,v,r,_,b,w)}if(j===s)break;if(j===o){if(!e){b.pop();continue}}else if(void 0!==j&&(g.push([r,j]),!e)){if(!u(j)){b.pop();continue}v=j}}var E;if(void 0===j&&x&&g.push([r,v]),!e)h={inArray:d,index:y,keys:m,edits:g,prev:h},d=Array.isArray(v),m=d?v:null!==(E=p[c(v)])&&void 0!==E?E:[],y=-1,g=[],_!==i&&void 0!==_&&w.push(_),_=v}while(void 0!==h);return 0!==g.length?g[g.length-1][1]:e};Ot[Symbol.for("nodejs.util.promisify.custom")]=async(e,t,{keyMap:r=null,state:n={},breakSymbol:s=Et,deleteNodeSymbol:i=null,skipVisitingNodeSymbol:o=!1,visitFnGetter:a=wt,nodeTypeGetter:c=xt,nodePredicate:u=jt,nodeCloneFn:l=St,detectCycles:f=!0}={})=>{const p=r||{};let h,_,d=Array.isArray(e),m=[e],y=-1,g=[],v=e;const b=[],w=[];do{y+=1;const e=y===m.length;let r;const x=e&&0!==g.length;if(e){if(r=0===w.length?void 0:b.pop(),v=_,_=w.pop(),x)if(d){v=v.slice();let e=0;for(const[t,r]of g){const n=t-e;r===i?(v.splice(n,1),e+=1):v[n]=r}}else{v=l(v);for(const[e,t]of g)v[e]=t}y=h.index,m=h.keys,g=h.edits,d=h.inArray,h=h.prev}else if(_!==i&&void 0!==_){if(r=d?y:m[y],v=_[r],v===i||void 0===v)continue;b.push(r)}let j;if(!Array.isArray(v)){if(!u(v))throw new bt(`Invalid AST Node: ${String(v)}`,{node:v});if(f&&w.includes(v)){b.pop();continue}const i=a(t,c(v),e);if(i){for(const[e,r]of Object.entries(n))t[e]=r;j=await i.call(t,v,r,_,b,w)}if(j===s)break;if(j===o){if(!e){b.pop();continue}}else if(void 0!==j&&(g.push([r,j]),!e)){if(!u(j)){b.pop();continue}v=j}}var E;if(void 0===j&&x&&g.push([r,v]),!e)h={inArray:d,index:y,keys:m,edits:g,prev:h},d=Array.isArray(v),m=d?v:null!==(E=p[c(v)])&&void 0!==E?E:[],y=-1,g=[],_!==i&&void 0!==_&&w.push(_),_=v}while(void 0!==h);return 0!==g.length?g[g.length-1][1]:e};var Pt=function(){function e(e,t){this.xf=t,this.f=e,this.all=!0}return e.prototype["@@transducer/init"]=A,e.prototype["@@transducer/result"]=function(e){return this.all&&(e=this.xf["@@transducer/step"](e,!0)),this.xf["@@transducer/result"](e)},e.prototype["@@transducer/step"]=function(e,t){var r;return this.f(t)||(this.all=!1,e=(r=this.xf["@@transducer/step"](e,!1))&&r["@@transducer/reduced"]?r:{"@@transducer/value":r,"@@transducer/reduced":!0}),e},e}();function kt(e){return function(t){return new Pt(e,t)}}const Mt=o(j(["all"],kt,(function(e,t){for(var r=0;r<t.length;){if(!e(t[r]))return!1;r+=1}return!0})));const It=i((function(e){return N(e.length,(function(t,r){var n=Array.prototype.slice.call(arguments,0);return n[0]=r,n[1]=t,e.apply(this,n)}))}))(o(ve)),Nt=(e,t)=>"object"==typeof t&&null!==t&&e in t&&"function"==typeof t[e],Tt=e=>"object"==typeof e&&null!=e&&"_storedElement"in e&&"string"==typeof e._storedElement&&"_content"in e,Rt=(e,t)=>"object"==typeof t&&null!==t&&"primitive"in t&&("function"==typeof t.primitive&&t.primitive()===e),Ct=(e,t)=>"object"==typeof t&&null!==t&&"classes"in t&&(Array.isArray(t.classes)||t.classes instanceof se.wE)&&t.classes.includes(e),Ft=(e,t)=>"object"==typeof t&&null!==t&&"element"in t&&t.element===e,qt=e=>e({hasMethod:Nt,hasBasicElementProps:Tt,primitiveEq:Rt,isElementType:Ft,hasClass:Ct}),$t=qt((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.Hg||e(r)&&t(void 0,r))),Lt=qt((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.Om||e(r)&&t("string",r))),Vt=qt((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.kT||e(r)&&t("number",r))),zt=qt((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.Os||e(r)&&t("null",r))),Bt=qt((({hasBasicElementProps:e,primitiveEq:t})=>r=>r instanceof se.bd||e(r)&&t("boolean",r))),Dt=qt((({hasBasicElementProps:e,primitiveEq:t,hasMethod:r})=>n=>n instanceof se.Sh||e(n)&&t("object",n)&&r("keys",n)&&r("values",n)&&r("items",n))),Ut=qt((({hasBasicElementProps:e,primitiveEq:t,hasMethod:r})=>n=>n instanceof se.wE&&!(n instanceof se.Sh)||e(n)&&t("array",n)&&r("push",n)&&r("unshift",n)&&r("map",n)&&r("reduce",n))),Gt=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof se.Pr||e(n)&&t("member",n)&&r(void 0,n))),Wt=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof se.Ft||e(n)&&t("link",n)&&r(void 0,n))),Zt=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof se.sI||e(n)&&t("ref",n)&&r(void 0,n))),Kt=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Je||e(n)&&t("annotation",n)&&r("array",n))),Ht=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Qe||e(n)&&t("comment",n)&&r("string",n))),Xt=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof tt||e(n)&&t("parseResult",n)&&r("array",n))),Jt=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof nt||e(n)&&t("sourceMap",n)&&r("array",n))),Yt=e=>Ft("object",e)||Ft("array",e)||Ft("boolean",e)||Ft("number",e)||Ft("string",e)||Ft("null",e)||Ft("member",e),Qt=e=>Jt(e.meta.get("sourceMap")),er=(e,t)=>{if(0===e.length)return!0;const r=t.attributes.get("symbols");return!!Ut(r)&&Mt(It(r.toValue()),e)},tr=(e,t)=>0===e.length||Mt(It(t.classes.toValue()),e);const rr=class extends bt{value;constructor(e,t){super(e,t),void 0!==t&&(this.value=t.value)}};const nr=class extends rr{};const sr=class extends rr{},ir=(e,t={})=>{const{visited:r=new WeakMap}=t,n={...t,visited:r};if(r.has(e))return r.get(e);if(e instanceof se.KeyValuePair){const{key:t,value:s}=e,i=$t(t)?ir(t,n):t,o=$t(s)?ir(s,n):s,a=new se.KeyValuePair(i,o);return r.set(e,a),a}if(e instanceof se.ot){const t=e=>ir(e,n),s=[...e].map(t),i=new se.ot(s);return r.set(e,i),i}if(e instanceof se.G6){const t=e=>ir(e,n),s=[...e].map(t),i=new se.G6(s);return r.set(e,i),i}if($t(e)){const t=cr(e);if(r.set(e,t),e.content)if($t(e.content))t.content=ir(e.content,n);else if(e.content instanceof se.KeyValuePair)t.content=ir(e.content,n);else if(Array.isArray(e.content)){const r=e=>ir(e,n);t.content=e.content.map(r)}else t.content=e.content;else t.content=e.content;return t}throw new nr("Value provided to cloneDeep function couldn't be cloned",{value:e})};ir.safe=e=>{try{return ir(e)}catch{return e}};const or=e=>{const{key:t,value:r}=e;return new se.KeyValuePair(t,r)},ar=e=>{const t=new e.constructor;if(t.element=e.element,e.meta.length>0&&(t._meta=ir(e.meta)),e.attributes.length>0&&(t._attributes=ir(e.attributes)),$t(e.content)){const r=e.content;t.content=ar(r)}else Array.isArray(e.content)?t.content=[...e.content]:e.content instanceof se.KeyValuePair?t.content=or(e.content):t.content=e.content;return t},cr=e=>{if(e instanceof se.KeyValuePair)return or(e);if(e instanceof se.ot)return(e=>{const t=[...e];return new se.ot(t)})(e);if(e instanceof se.G6)return(e=>{const t=[...e];return new se.G6(t)})(e);if($t(e))return ar(e);throw new sr("Value provided to cloneShallow function couldn't be cloned",{value:e})};cr.safe=e=>{try{return cr(e)}catch{return e}};const ur=e=>Dt(e)?"ObjectElement":Ut(e)?"ArrayElement":Gt(e)?"MemberElement":Lt(e)?"StringElement":Bt(e)?"BooleanElement":Vt(e)?"NumberElement":zt(e)?"NullElement":Wt(e)?"LinkElement":Zt(e)?"RefElement":void 0,lr=e=>$t(e)?cr(e):St(e),fr=me(ur,ct),pr={ObjectElement:["content"],ArrayElement:["content"],MemberElement:["key","value"],StringElement:[],BooleanElement:[],NumberElement:[],NullElement:[],RefElement:[],LinkElement:[],Annotation:[],Comment:[],ParseResultElement:["content"],SourceMap:["content"]};const hr=(e,t,{keyMap:r=pr,...n}={})=>Ot(e,t,{keyMap:r,nodeTypeGetter:ur,nodePredicate:fr,nodeCloneFn:lr,...n});hr[Symbol.for("nodejs.util.promisify.custom")]=async(e,t,{keyMap:r=pr,...n}={})=>Ot[Symbol.for("nodejs.util.promisify.custom")](e,t,{keyMap:r,nodeTypeGetter:ur,nodePredicate:fr,nodeCloneFn:lr,...n});const _r=a((function(e,t,r){var n,s={};for(n in r=r||{},t=t||{})T(n,t)&&(s[n]=T(n,r)?e(n,t[n],r[n]):t[n]);for(n in r)T(n,r)&&!T(n,s)&&(s[n]=r[n]);return s}));const dr=a((function e(t,r,n){return _r((function(r,n,s){return xe(n)&&xe(s)?e(t,n,s):t(r,n,s)}),r,n)}));const mr=o((function(e,t){return dr((function(e,t,r){return r}),e,t)}));const yr=_e(0,-1);const gr=o((function(e,t){return e.apply(this,t)}));const vr=W(Ge);var br=i((function(e){return null!=e&&"function"==typeof e["fantasy-land/empty"]?e["fantasy-land/empty"]():null!=e&&null!=e.constructor&&"function"==typeof e.constructor["fantasy-land/empty"]?e.constructor["fantasy-land/empty"]():null!=e&&"function"==typeof e.empty?e.empty():null!=e&&null!=e.constructor&&"function"==typeof e.constructor.empty?e.constructor.empty():y(e)?[]:l(e)?"":xe(e)?{}:C(e)?function(){return arguments}():function(e){var t=Object.prototype.toString.call(e);return"[object Uint8ClampedArray]"===t||"[object Int8Array]"===t||"[object Uint8Array]"===t||"[object Int16Array]"===t||"[object Uint16Array]"===t||"[object Int32Array]"===t||"[object Uint32Array]"===t||"[object Float32Array]"===t||"[object Float64Array]"===t||"[object BigInt64Array]"===t||"[object BigUint64Array]"===t}(e)?e.constructor.from(""):void 0}));const wr=br;const Er=i((function(e){return null!=e&&Q(e,wr(e))}));const xr=Ce(N(1,Ge(Array.isArray)?Array.isArray:me(X,ge("Array"))),Er);const jr=N(3,(function(e,t,r){var n=Ie(e,r),s=Ie(yr(e),r);if(!vr(n)&&!xr(e)){var i=ae(n,s);return gr(i,t)}})),Sr=()=>({predicates:{...e},namespace:at}),Ar={toolboxCreator:Sr,visitorOptions:{nodeTypeGetter:ur,exposeEdits:!0}},Or=(e,t,r={})=>{if(0===t.length)return e;const n=mr(Ar,r),{toolboxCreator:s,visitorOptions:i}=n,o=s(),a=t.map((e=>e(o))),c=At(a.map(h({},"visitor")),{...i});a.forEach(jr(["pre"],[]));const u=hr(e,c,i);return a.forEach(jr(["post"],[])),u};Or[Symbol.for("nodejs.util.promisify.custom")]=async(e,t,r={})=>{if(0===t.length)return e;const n=mr(Ar,r),{toolboxCreator:s,visitorOptions:i}=n,o=s(),a=t.map((e=>e(o))),c=At[Symbol.for("nodejs.util.promisify.custom")],u=hr[Symbol.for("nodejs.util.promisify.custom")],l=c(a.map(h({},"visitor")),{...i});await Promise.allSettled(a.map(jr(["pre"],[])));const f=await u(e,l,i);return await Promise.allSettled(a.map(jr(["post"],[]))),f};const Pr=(e,{Type:t,plugins:r=[]})=>{const n=new t(e);return $t(e)&&(e.meta.length>0&&(n.meta=ir(e.meta)),e.attributes.length>0&&(n.attributes=ir(e.attributes))),Or(n,r,{toolboxCreator:Sr,visitorOptions:{nodeTypeGetter:ur}})},kr=e=>(t,r={})=>Pr(t,{...r,Type:e});se.Sh.refract=kr(se.Sh),se.wE.refract=kr(se.wE),se.Om.refract=kr(se.Om),se.bd.refract=kr(se.bd),se.Os.refract=kr(se.Os),se.kT.refract=kr(se.kT),se.Ft.refract=kr(se.Ft),se.sI.refract=kr(se.sI),Je.refract=kr(Je),Qe.refract=kr(Qe),tt.refract=kr(tt),nt.refract=kr(nt);const Mr=class{type;startPosition;endPosition;startIndex;endIndex;text;isNamed;isMissing;fieldName;hasError=!1;children=[];constructor(e){this.type=e.nodeType,this.startPosition=e.startPosition,this.endPosition=e.endPosition,this.startIndex=e.startIndex,this.endIndex=e.endIndex,this.text=e.nodeText,this.isNamed=e.nodeIsNamed,this.isMissing=e.nodeIsMissing}get keyNode(){if("pair"===this.type)return this.children.find((e=>"key"===e.fieldName))}get valueNode(){if("pair"===this.type)return this.children.find((e=>"value"===e.fieldName))}setFieldName(e){return"function"==typeof e.currentFieldName?this.fieldName=e.currentFieldName():this.fieldName=e.currentFieldName,this}setHasError(e){return"function"==typeof e.currentNode?this.hasError=e.currentNode().hasError():this.hasError=e.currentNode.hasError(),this}pushChildren(...e){this.children.push(...e)}};class Ir{static toPosition(e){const t=new se.wE([e.startPosition.row,e.startPosition.column,e.startIndex]),r=new se.wE([e.endPosition.row,e.endPosition.column,e.endIndex]);return t.classes.push("position"),r.classes.push("position"),[t,r]}sourceMap=!1;annotations;ParseResultElement={leave:e=>{const t=e.findElements(Yt);if(t.length>0){t[0].classes.push("result")}this.annotations.forEach((t=>{e.push(t)})),this.annotations=[]}};constructor(){this.annotations=[]}enter(e){if(e instanceof Mr&&!e.isNamed&&e.isMissing){const t=e.type||e.text,r=new Je(`(Missing ${t})`);r.classes.push("warning"),this.maybeAddSourceMap(e,r),this.annotations.push(r)}return null}document(e){const t=new tt;return t._content=e.children,this.maybeAddSourceMap(e,t),t}object(e){const t=new se.Sh;return t._content=e.children,this.maybeAddSourceMap(e,t),t}array(e){const t=new se.wE;return t._content=e.children,this.maybeAddSourceMap(e,t),t}pair(e){const t=new se.Pr;return t.content.key=e.keyNode,t.content.value=e.valueNode,this.maybeAddSourceMap(e,t),e.children.length>3&&e.children.filter((e=>"ERROR"===e.type)).forEach((t=>{this.ERROR(t,e,[],[e])})),t}string(e){const t=new se.Om(JSON.parse(e.text));return this.maybeAddSourceMap(e,t),t}number(e){const t=new se.kT(Number(e.text));return this.maybeAddSourceMap(e,t),t}null(e){const t=new se.Os;return this.maybeAddSourceMap(e,t),t}true(e){const t=new se.bd(!0);return this.maybeAddSourceMap(e,t),t}false(e){const t=new se.bd(!1);return this.maybeAddSourceMap(e,t),t}ERROR(e,t,r,n){const s=!e.hasError,i=e.text,o=new Je(s?`(Unexpected ${i})`:`(Error ${i})`);if(o.classes.push("error"),this.maybeAddSourceMap(e,o),0===n.length){const e=new tt;return e.push(o),e}return this.annotations.push(o),null}maybeAddSourceMap(e,t){if(!this.sourceMap)return;const r=new nt,n=Ir.toPosition(e);if(null!==n){const[e,t]=n;r.push(e),r.push(t)}r.astNode=e,t.meta.set("sourceMap",r)}}const Nr=Ir;class Tr{cursor;constructor(e){this.cursor=e}document(){return new Mr(this.cursor)}object(){return new Mr(this.cursor).setFieldName(this.cursor)}array(){return new Mr(this.cursor).setFieldName(this.cursor)}pair(){return new Mr(this.cursor)}string(){return new Mr(this.cursor).setFieldName(this.cursor)}number(){return new Mr(this.cursor).setFieldName(this.cursor)}null(){return new Mr(this.cursor).setFieldName(this.cursor)}true(){return new Mr(this.cursor).setFieldName(this.cursor)}false(){return new Mr(this.cursor).setFieldName(this.cursor)}ERROR(){return new Mr(this.cursor).setHasError(this.cursor)}*[Symbol.iterator](){let e;if(e=this.cursor.nodeType in this?this[this.cursor.nodeType]():new Mr(this.cursor),this.cursor.gotoFirstChild()){const[t]=new Tr(this.cursor);for(e.pushChildren(t);this.cursor.gotoNextSibling();){const t=new Tr(this.cursor);e.pushChildren(...t)}this.cursor.gotoParent()}yield e}}const Rr=Tr,Cr={document:["children"],object:["children"],array:["children"],string:["children"],property:["children"],key:["children"],error:["children"],...pr},Fr=e=>Xt(e)?"ParseResultElement":$t(e)?ur(e):xt(e),qr=e=>$t(e)||jt(e),$r=(e,{sourceMap:t=!1}={})=>{const r=new Nr,n=e.walk(),s=new Rr(n),[i]=Array.from(s);return Ot(i,r,{keyMap:Cr,nodeTypeGetter:Fr,nodePredicate:qr,state:{sourceMap:t}})};class Lr{static type="point";type=Lr.type;row;column;char;constructor({row:e,column:t,char:r}){this.row=e,this.column=t,this.char=r}}class Vr{static type="position";type=Vr.type;start;end;constructor({start:e,end:t}){this.start=e,this.end=t}}const zr=Vr;const Br=f(0);const Dr=class{static type="node";type="node";isMissing;children;position;constructor({children:e=[],position:t,isMissing:r=!1}={}){this.type=this.constructor.type,this.isMissing=r,this.children=e,this.position=t}clone(){const e=Object.create(Object.getPrototypeOf(this));return Object.getOwnPropertyNames(this).forEach((t=>{const r=Object.getOwnPropertyDescriptor(this,t);Object.defineProperty(e,t,r)})),e}};const Ur=class extends Dr{};const Gr=class extends Ur{static type="document";get child(){return Br(this.children)}};const Wr=class extends Dr{static type="parseResult";get rootNode(){return Br(this.children)}};const Zr=class extends Dr{static type="literal";value;constructor({value:e,...t}={}){super({...t}),this.value=e}},Kr=(e,t)=>null!=t&&"object"==typeof t&&"type"in t&&t.type===e,Hr=e=>Kr("string",e),Xr=e=>Kr("false",e),Jr=e=>Kr("true",e),Yr=e=>Kr("null",e),Qr=e=>Kr("number",e),en=e=>Kr("array",e),tn=e=>Kr("object",e),rn=e=>Kr("property",e),nn=e=>Kr("key",e);const sn=class extends Ur{static type="object";get properties(){return this.children.filter(rn)}};const on=class extends Ur{static type="string";get value(){if(1===this.children.length){return this.children[0].value}return this.children.filter((e=>(e=>Kr("stringContent",e))(e)||(e=>Kr("escapeSequence",e))(e))).reduce(((e,t)=>e+t.value),"")}};const an=class extends on{static type="key"};const cn=class extends Ur{static type="property";get key(){return this.children.find(nn)}get value(){return this.children.find((e=>Xr(e)||Jr(e)||Yr(e)||Qr(e)||Hr(e)||en(e)||tn(e)))}};const un=class extends Ur{static type="array";get items(){return this.children.filter((e=>Xr(e)||Jr(e)||Yr(e)||Qr(e)||Hr(e)||en(e)||tn))}};const ln=class extends Ur{static type="value";value;constructor({value:e,...t}){super({...t}),this.value=e}};const fn=class extends ln{static type="stringContent"};const pn=class extends ln{static type="number"};const hn=class extends ln{static type="null"};const _n=class extends ln{static type="true"};const dn=class extends ln{static type="false"};const mn=class extends Dr{static type="error";value;isUnexpected;constructor({value:e,isUnexpected:t=!1,...r}={}){super({...r}),this.value=e,this.isUnexpected=t}},yn={document:["children"],object:["children"],array:["children"],string:["children"],property:["children"],key:["children"],error:["children"]};class gn{static toPosition(e){const t=new Lr({row:e.startPosition.row,column:e.startPosition.column,char:e.startIndex}),r=new Lr({row:e.endPosition.row,column:e.endPosition.column,char:e.endIndex});return new zr({start:t,end:r})}document={enter:e=>{const t=gn.toPosition(e);return new Gr({children:e.children,position:t,isMissing:e.isMissing})},leave:e=>new Wr({children:[e]})};enter(e){if(e instanceof Mr&&!e.isNamed){const t=gn.toPosition(e),r=e.type||e.text,{isMissing:n}=e;return new Zr({value:r,position:t,isMissing:n})}}object(e){const t=gn.toPosition(e);return new sn({children:e.children,position:t,isMissing:e.isMissing})}pair(e){const t=gn.toPosition(e),r=e.children.slice(1),{keyNode:n}=e,s=new an({children:(null==n?void 0:n.children)||[],position:null!=n?gn.toPosition(n):void 0,isMissing:null!=n&&n.isMissing});return new cn({children:[s,...r],position:t,isMissing:e.isMissing})}array(e){const t=gn.toPosition(e);return new un({children:e.children,position:t,isMissing:e.isMissing})}string(e){const t=gn.toPosition(e),r=new fn({value:JSON.parse(e.text)});return new on({children:[r],position:t,isMissing:e.isMissing})}number(e){const t=gn.toPosition(e),r=e.text;return new pn({value:r,position:t,isMissing:e.isMissing})}null(e){const t=gn.toPosition(e),r=e.text;return new hn({value:r,position:t,isMissing:e.isMissing})}true(e){const t=gn.toPosition(e),r=e.text;return new _n({value:r,position:t,isMissing:e.isMissing})}false(e){const t=gn.toPosition(e),r=e.text;return new dn({value:r,position:t,isMissing:e.isMissing})}ERROR(e,t,r,n){const s=gn.toPosition(e),i=new mn({children:e.children,position:s,isUnexpected:!e.hasError,isMissing:e.isMissing,value:e.text});return 0===n.length?new Wr({children:[i]}):i}}const vn=gn,bn={[Wr.type]:["children"],[Gr.type]:["children"],[sn.type]:["children"],[cn.type]:["children"],[un.type]:["children"],[mn.type]:["children"],...pr},wn=e=>Xt(e)?"ParseResultElement":$t(e)?ur(e):xt(e),En=e=>$t(e)||jt(e);const xn=class{sourceMap=!1;annotations;ParseResultElement={leave:e=>{const t=e.findElements(Yt);if(t.length>0){t[0].classes.push("result")}this.annotations.forEach((t=>{e.push(t)})),this.annotations=[]}};constructor(){this.annotations=[]}document(e){const t=new tt;return t._content=e.children,t}object(e){const t=new se.Sh;return t._content=e.children,this.maybeAddSourceMap(e,t),t}property(e){const t=new se.Pr;return t.content.key=e.key,t.content.value=e.value,this.maybeAddSourceMap(e,t),e.children.length>3&&e.children.filter((e=>"error"===e.type)).forEach((t=>{this.error(t,e,[],[e])})),t}key(e){const t=new se.Om(e.value);return this.maybeAddSourceMap(e,t),t}array(e){const t=new se.wE;return t._content=e.children,this.maybeAddSourceMap(e,t),t}string(e){const t=new se.Om(e.value);return this.maybeAddSourceMap(e,t),t}number(e){const t=new se.kT(Number(e.value));return this.maybeAddSourceMap(e,t),t}null(e){const t=new se.Os;return this.maybeAddSourceMap(e,t),t}true(e){const t=new se.bd(!0);return this.maybeAddSourceMap(e,t),t}false(e){const t=new se.bd(!1);return this.maybeAddSourceMap(e,t),t}literal(e){if(e.isMissing){const t=`(Missing ${e.value})`,r=new Je(t);r.classes.push("warning"),this.maybeAddSourceMap(e,r),this.annotations.push(r)}return null}error(e,t,r,n){const s=e.isUnexpected?`(Unexpected ${e.value})`:`(Error ${e.value})`,i=new Je(s);if(i.classes.push("error"),this.maybeAddSourceMap(e,i),0===n.length){const e=new tt;return e.push(i),e}return this.annotations.push(i),null}maybeAddSourceMap(e,t){if(!this.sourceMap)return;const r=new nt;r.position=e.position,r.astNode=e,t.meta.set("sourceMap",r)}},jn=(e,{sourceMap:t=!1}={})=>{const r=e.walk(),n=new Rr(r),[s]=Array.from(n),i=new vn,o=new xn,a=Ot(s,i,{keyMap:yn,state:{sourceMap:t}});return Ot(a.rootNode,o,{keyMap:bn,nodeTypeGetter:wn,nodePredicate:En,state:{sourceMap:t}})},Sn=(ot(),/(?<true>^\s*true\s*$)|(?<false>^\s*false\s*$)|(?<null>^\s*null\s*$)|(?<number>^\s*\d+\s*$)|(?<object>^\s*{\s*)|(?<array>^\s*\[\s*)|(?<string>^\s*"(((?=\\)\\(["\\/bfnrt]|u[0-9a-fA-F]{4}))|[^"\\\x00-\x1F\x7F])*"\s*$)/);const An=o((function(e,t){return m((function(r,n){return r[n]=e(t[n],n,t),r}),{},z(t))}));const On=i((function(e){return null==e}));const Pn=o((function(e,t){if(0===e.length||On(t))return!1;for(var r=t,n=0;n<e.length;){if(On(r)||!T(e[n],r))return!1;r=r[e[n]],n+=1}return!0}));var kn=o((function(e,t){return Pn([e],t)}));const Mn=kn;const In=a((function(e,t,r){return e(p(t,r))}));const Nn=i((function(e){return N(e.length,e)}));const Tn=o((function(e,t){return N(e+1,(function(){var r=arguments[e];if(null!=r&&Te(r[t]))return r[t].apply(r,Array.prototype.slice.call(arguments,0,e));throw new TypeError(ke(r)+' does not have a method named "'+t+'"')}))}));const Rn=Tn(1,"split");var Cn=function(){function e(e,t){this.xf=t,this.f=e}return e.prototype["@@transducer/init"]=A,e.prototype["@@transducer/result"]=O,e.prototype["@@transducer/step"]=function(e,t){if(this.f){if(this.f(t))return e;this.f=null}return this.xf["@@transducer/step"](e,t)},e}();function Fn(e){return function(t){return new Cn(e,t)}}const qn=o(j(["dropWhile"],Fn,(function(e,t){for(var r=0,n=t.length;r<n&&e(t[r]);)r+=1;return _e(r,1/0,t)})));const $n=Tn(1,"join");const Ln=Nn((function(e,t){return me(Rn(""),qn(It(e)),$n(""))(t)})),Vn=(e,t)=>{const r=c(e,t);return An((e=>{if(He(e)&&Mn("$ref",e)&&In(ct,"$ref",e)){const t=Ie(["$ref"],e),n=Ln("#/",t);return Ie(n.split("/"),r)}return He(e)?Vn(e,r):e}),e)};const zn=function(){return!0},Bn=e=>"string"==typeof(null==e?void 0:e.type)?e.type:ur(e),Dn={EphemeralObject:["content"],EphemeralArray:["content"],...pr},Un=(e,t,{keyMap:r=Dn,...n}={})=>hr(e,t,{keyMap:r,nodeTypeGetter:Bn,nodePredicate:zn,detectCycles:!1,deleteNodeSymbol:Symbol.for("delete-node"),skipVisitingNodeSymbol:Symbol.for("skip-visiting-node"),...n});Un[Symbol.for("nodejs.util.promisify.custom")]=async(e,{keyMap:t=Dn,...r}={})=>hr[Symbol.for("nodejs.util.promisify.custom")](e,visitor,{keyMap:t,nodeTypeGetter:Bn,nodePredicate:zn,detectCycles:!1,deleteNodeSymbol:Symbol.for("delete-node"),skipVisitingNodeSymbol:Symbol.for("skip-visiting-node"),...r});const Gn=class{type="EphemeralArray";content=[];reference=void 0;constructor(e){this.content=e,this.reference=[]}toReference(){return this.reference}toArray(){return this.reference.push(...this.content),this.reference}};const Wn=class{type="EphemeralObject";content=[];reference=void 0;constructor(e){this.content=e,this.reference={}}toReference(){return this.reference}toObject(){return Object.assign(this.reference,Object.fromEntries(this.content))}};class Zn{ObjectElement={enter:e=>{if(this.references.has(e))return this.references.get(e).toReference();const t=new Wn(e.content);return this.references.set(e,t),t}};EphemeralObject={leave:e=>e.toObject()};MemberElement={enter:e=>[e.key,e.value]};ArrayElement={enter:e=>{if(this.references.has(e))return this.references.get(e).toReference();const t=new Gn(e.content);return this.references.set(e,t),t}};EphemeralArray={leave:e=>e.toArray()};references=new WeakMap;BooleanElement(e){return e.toValue()}NumberElement(e){return e.toValue()}StringElement(e){return e.toValue()}NullElement(){return null}RefElement(e,...t){var r;const n=t[3];return"EphemeralObject"===(null===(r=n[n.length-1])||void 0===r?void 0:r.type)?Symbol.for("delete-node"):String(e.toValue())}LinkElement(e){return Lt(e.href)?e.href.toValue():""}}const Kn=e=>$t(e)?Lt(e)||Vt(e)||Bt(e)||zt(e)?e.toValue():Un(e,new Zn):e,Hn=e=>{const t=e.meta.length>0?ir(e.meta):void 0,r=e.attributes.length>0?ir(e.attributes):void 0;return new e.constructor(void 0,t,r)},Xn=(e,t)=>t.clone&&t.isMergeableElement(e)?es(Hn(e),e,t):e,Jn=e=>"function"!=typeof e.customMetaMerge?e=>ir(e):e.customMetaMerge,Yn=e=>"function"!=typeof e.customAttributesMerge?e=>ir(e):e.customAttributesMerge,Qn={clone:!0,isMergeableElement:e=>Dt(e)||Ut(e),arrayElementMerge:(e,t,r)=>e.concat(t)["fantasy-land/map"]((e=>Xn(e,r))),objectElementMerge:(e,t,r)=>{const n=Dt(e)?Hn(e):Hn(t);return Dt(e)&&e.forEach(((e,t,s)=>{const i=cr(s);i.value=Xn(e,r),n.content.push(i)})),t.forEach(((t,s,i)=>{const o=Kn(s);let a;if(Dt(e)&&e.hasKey(o)&&r.isMergeableElement(t)){const n=e.get(o);a=cr(i),a.value=((e,t)=>{if("function"!=typeof t.customMerge)return es;const r=t.customMerge(e,t);return"function"==typeof r?r:es})(s,r)(n,t)}else a=cr(i),a.value=Xn(t,r);n.remove(o),n.content.push(a)})),n},customMerge:void 0,customMetaMerge:void 0,customAttributesMerge:void 0};function es(e,t,r){var n,s,i;const o={...Qn,...r};o.isMergeableElement=null!==(n=o.isMergeableElement)&&void 0!==n?n:Qn.isMergeableElement,o.arrayElementMerge=null!==(s=o.arrayElementMerge)&&void 0!==s?s:Qn.arrayElementMerge,o.objectElementMerge=null!==(i=o.objectElementMerge)&&void 0!==i?i:Qn.objectElementMerge;const a=Ut(t);if(!(a===Ut(e)))return Xn(t,o);const c=a&&"function"==typeof o.arrayElementMerge?o.arrayElementMerge(e,t,o):o.objectElementMerge(e,t,o);return c.meta=Jn(o)(e.meta,t.meta),c.attributes=Yn(o)(e.attributes,t.attributes),c}es.all=(e,t)=>{if(!Array.isArray(e))throw new TypeError("First argument of deepmerge should be an array.");return 0===e.length?new se.Sh:e.reduce(((e,r)=>es(e,r,t)),Hn(e[0]))};const ts=class{element;constructor(e={}){Object.assign(this,e)}copyMetaAndAttributes(e,t){(e.meta.length>0||t.meta.length>0)&&(t.meta=es(t.meta,e.meta),Qt(e)&&t.meta.set("sourceMap",e.meta.get("sourceMap"))),(e.attributes.length>0||e.meta.length>0)&&(t.attributes=es(t.attributes,e.attributes))}};const rs=class extends ts{enter(e){return this.element=ir(e),Et}},ns=(e,t,r=[])=>{const n=Object.getOwnPropertyDescriptors(t);for(let e of r)delete n[e];Object.defineProperties(e,n)},ss=(e,t=[e])=>{const r=Object.getPrototypeOf(e);return null===r?t:ss(r,[...t,r])},is=(e,t,r=[])=>{var n;const s=null!==(n=((...e)=>{if(0===e.length)return;let t;const r=e.map((e=>ss(e)));for(;r.every((e=>e.length>0));){const e=r.map((e=>e.pop())),n=e[0];if(!e.every((e=>e===n)))break;t=n}return t})(...e))&&void 0!==n?n:Object.prototype,i=Object.create(s),o=ss(s);for(let t of e){let e=ss(t);for(let t=e.length-1;t>=0;t--){let n=e[t];-1===o.indexOf(n)&&(ns(i,n,["constructor",...r]),o.push(n))}}return i.constructor=t,i},os=e=>e.filter(((t,r)=>e.indexOf(t)==r)),as=(e,t)=>{const r=t.map((e=>ss(e)));let n=0,s=!0;for(;s;){s=!1;for(let i=t.length-1;i>=0;i--){const t=r[i][n];if(null!=t&&(s=!0,null!=Object.getOwnPropertyDescriptor(t,e)))return r[i][0]}n++}},cs=(e,t=Object.prototype)=>new Proxy({},{getPrototypeOf:()=>t,setPrototypeOf(){throw Error("Cannot set prototype of Proxies created by ts-mixer")},getOwnPropertyDescriptor:(t,r)=>Object.getOwnPropertyDescriptor(as(r,e)||{},r),defineProperty(){throw new Error("Cannot define new properties on Proxies created by ts-mixer")},has:(r,n)=>void 0!==as(n,e)||void 0!==t[n],get:(r,n)=>(as(n,e)||t)[n],set(t,r,n){const s=as(r,e);if(void 0===s)throw new Error("Cannot set new properties on Proxies created by ts-mixer");return s[r]=n,!0},deleteProperty(){throw new Error("Cannot delete properties on Proxies created by ts-mixer")},ownKeys:()=>e.map(Object.getOwnPropertyNames).reduce(((e,t)=>t.concat(e.filter((e=>t.indexOf(e)<0)))))}),us=null,ls="copy",fs="copy",ps="deep",hs=new WeakMap,_s=e=>hs.get(e),ds=(e,t)=>{var r,n;const s=os([...Object.getOwnPropertyNames(e),...Object.getOwnPropertyNames(t)]),i={};for(let o of s)i[o]=os([...null!==(r=null==e?void 0:e[o])&&void 0!==r?r:[],...null!==(n=null==t?void 0:t[o])&&void 0!==n?n:[]]);return i},ms=(e,t)=>{var r,n,s,i;return{property:ds(null!==(r=null==e?void 0:e.property)&&void 0!==r?r:{},null!==(n=null==t?void 0:t.property)&&void 0!==n?n:{}),method:ds(null!==(s=null==e?void 0:e.method)&&void 0!==s?s:{},null!==(i=null==t?void 0:t.method)&&void 0!==i?i:{})}},ys=(e,t)=>{var r,n,s,i,o,a;return{class:os([...null!==(r=null==e?void 0:e.class)&&void 0!==r?r:[],...null!==(n=null==t?void 0:t.class)&&void 0!==n?n:[]]),static:ms(null!==(s=null==e?void 0:e.static)&&void 0!==s?s:{},null!==(i=null==t?void 0:t.static)&&void 0!==i?i:{}),instance:ms(null!==(o=null==e?void 0:e.instance)&&void 0!==o?o:{},null!==(a=null==t?void 0:t.instance)&&void 0!==a?a:{})}},gs=new Map,vs=(...e)=>{const t=((...e)=>{var t;const r=new Set,n=new Set([...e]);for(;n.size>0;)for(let e of n){const s=[...ss(e.prototype).map((e=>e.constructor)),...null!==(t=_s(e))&&void 0!==t?t:[]].filter((e=>!r.has(e)));for(let e of s)n.add(e);r.add(e),n.delete(e)}return[...r]})(...e).map((e=>gs.get(e))).filter((e=>!!e));return 0==t.length?{}:1==t.length?t[0]:t.reduce(((e,t)=>ys(e,t)))},bs=e=>{let t=gs.get(e);return t||(t={},gs.set(e,t)),t};function ws(...e){var t,r,n;const s=e.map((e=>e.prototype)),i=us;if(null!==i){const e=s.map((e=>e[i])).filter((e=>"function"==typeof e)),t={[i]:function(...t){for(let r of e)r.apply(this,t)}};s.push(t)}function o(...t){for(const r of e)ns(this,new r(...t));null!==i&&"function"==typeof this[i]&&this[i].apply(this,t)}var a,c;o.prototype="copy"===fs?is(s,o):(a=s,c=o,cs([...a,{constructor:c}])),Object.setPrototypeOf(o,"copy"===ls?is(e,null,["prototype"]):cs(e,Function.prototype));let u=o;if("none"!==ps){const s="deep"===ps?vs(...e):((...e)=>{const t=e.map((e=>bs(e)));return 0===t.length?{}:1===t.length?t[0]:t.reduce(((e,t)=>ys(e,t)))})(...e);for(let e of null!==(t=null==s?void 0:s.class)&&void 0!==t?t:[]){const t=e(u);t&&(u=t)}Es(null!==(r=null==s?void 0:s.static)&&void 0!==r?r:{},u),Es(null!==(n=null==s?void 0:s.instance)&&void 0!==n?n:{},u.prototype)}var l,f;return l=u,f=e,hs.set(l,f),u}const Es=(e,t)=>{const r=e.property,n=e.method;if(r)for(let e in r)for(let n of r[e])n(t,e);if(n)for(let e in n)for(let r of n[e])r(t,e,Object.getOwnPropertyDescriptor(t,e))};const xs=o((function(e,t){for(var r={},n=0;n<e.length;)e[n]in t&&(r[e[n]]=t[e[n]]),n+=1;return r}));const js=class extends ts{specObj;passingOptionsNames=["specObj"];constructor({specObj:e,...t}){super({...t}),this.specObj=e}retrievePassingOptions(){return xs(this.passingOptionsNames,this)}retrieveFixedFields(e){const t=Ie(["visitors",...e,"fixedFields"],this.specObj);return"object"==typeof t&&null!==t?Object.keys(t):[]}retrieveVisitor(e){return Ne(Ge,["visitors",...e],this.specObj)?Ie(["visitors",...e],this.specObj):Ie(["visitors",...e,"$visitor"],this.specObj)}retrieveVisitorInstance(e,t={}){const r=this.retrievePassingOptions();return new(this.retrieveVisitor(e))({...r,...t})}toRefractedElement(e,t,r={}){const n=this.retrieveVisitorInstance(e,r);return n instanceof rs&&(null==n?void 0:n.constructor)===rs?ir(t):(hr(t,n,r),n.element)}};class Ss extends se.Om{constructor(e,t,r){super(e,t,r),this.element="requirementLevel"}}const As=Ss;class Os extends(ws(js,rs)){StringElement(e){const t=new As(Kn(e));return this.copyMetaAndAttributes(e,t),this.element=t,Et}}const Ps=Os;class ks extends se.wE{constructor(e,t,r){super(e,t,r),this.element="standardIdentifier"}}const Ms=ks;class Is extends(ws(js,rs)){constructor(e){super(e),this.element=new Ms}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","StandardIdentifier"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const Ns=Is;class Ts extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="requirement"}get subject(){return this.get("subject")}set subject(e){this.set("subject",e)}get level(){return this.get("level")}set level(e){this.set("level",e)}get values(){return this.get("values")}set values(e){this.set("values",e)}get follows(){return this.get("follows")}set follows(e){this.set("follows",e)}}const Rs=Ts;const Cs=class extends js{specPath;ignoredFields;constructor({specPath:e,ignoredFields:t,...r}){super({...r}),this.specPath=e,this.ignoredFields=t||[]}ObjectElement(e){const t=this.specPath(e),r=this.retrieveFixedFields(t);return e.forEach(((e,n,s)=>{if(Lt(n)&&r.includes(Kn(n))&&!this.ignoredFields.includes(Kn(n))){const r=this.toRefractedElement([...t,"fixedFields",Kn(n)],e),i=new se.Pr(ir(n),r);i.classes.push("fixed-field"),this.copyMetaAndAttributes(s,i),this.element.content.push(i)}else this.ignoredFields.includes(Kn(n))||this.element.content.push(ir(s))})),this.copyMetaAndAttributes(e,this.element),Et}};class Fs extends(ws(Cs,rs)){constructor(e){super(e),this.element=new Rs,this.specPath=ee(["document","objects","Requirement"])}}const qs=Fs;class $s extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="scenario"}get description(){return this.get("description")}set description(e){this.set("description",e)}get when(){return this.get("when")}set when(e){this.set("when",e)}get then(){return this.get("then")}set then(e){this.set("then",e)}}const Ls=$s;class Vs extends(ws(Cs,rs)){constructor(e){super(e),this.element=new Ls,this.specPath=ee(["document","objects","Scenario"])}}const zs=Vs;class Bs extends(ws(js,rs)){constructor(e){super(e),this.element=new se.wE,this.element.classes.push("scenario-then")}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","Requirement"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const Ds=Bs;class Us extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="standard"}get name(){return this.get("name")}set name(e){this.set("name",e)}get description(){return this.get("description")}set description(e){this.set("description",e)}get iri(){return this.get("iri")}set iri(e){this.set("iri",e)}get level(){return this.get("level")}set level(e){this.set("level",e)}}const Gs=Us;class Ws extends(ws(Cs,rs)){constructor(e){super(e),this.element=new Gs,this.specPath=ee(["document","objects","Standard"])}}const Zs=Ws;class Ks extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="principle"}get name(){return this.get("name")}set name(e){this.set("name",e)}get description(){return this.get("description")}set description(e){this.set("description",e)}get iri(){return this.get("iri")}set iri(e){this.set("iri",e)}get level(){return this.get("level")}set level(e){this.set("level",e)}}const Hs=Ks;class Xs extends(ws(Cs,rs)){constructor(e){super(e),this.element=new Hs,this.specPath=ee(["document","objects","Principle"])}}const Js=Xs;class Ys extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="info"}get title(){return this.get("title")}set title(e){this.set("title",e)}get description(){return this.get("description")}set description(e){this.set("description",e)}}const Qs=Ys;class ei extends(ws(Cs,rs)){constructor(e){super(e),this.specPath=ee(["document","objects","Info"]),this.element=new Qs}}const ti=ei;class ri extends se.Sh{constructor(e,t,r){super(e,t,r),this.element="main",this.classes.push("api")}get version(){return this.get("version")}set version(e){this.set("version",e)}get info(){return this.get("info")}set info(e){this.set("info",e)}get principles(){return this.get("principles")}set principles(e){this.set("principles",e)}get standards(){return this.get("standards")}set standards(e){this.set("standards",e)}get scenarios(){return this.get("scenarios")}set scenarios(e){this.set("scenarios",e)}}const ni=ri;class si extends(ws(Cs,rs)){constructor(e){super(e),this.element=new ni,this.specPath=ee(["document","objects","Main"])}}const ii=si;class oi extends(ws(js,rs)){constructor(e){super(e),this.element=new se.wE,this.element.classes.push("main-principles")}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","Principle"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const ai=oi;class ci extends(ws(js,rs)){constructor(e){super(e),this.element=new se.wE,this.element.classes.push("main-standards")}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","Standard"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const ui=ci;class li extends(ws(js,rs)){constructor(e){super(e),this.element=new se.wE,this.element.classes.push("main-scenarios")}ArrayElement(e){return e.forEach((e=>{const t=this.toRefractedElement(["document","objects","Scenario"],e);this.element.push(t)})),this.copyMetaAndAttributes(e,this.element),Et}}const fi={visitors:{value:rs,document:{objects:{Main:{$visitor:ii,fixedFields:{version:{$ref:"#/visitors/value"},info:{$ref:"#/visitors/document/objects/Info"},principles:ai,standards:ui,scenarios:li}},Info:{$visitor:ti,fixedFields:{title:{$ref:"#/visitors/value"},description:{$ref:"#/visitors/value"}}},Principle:{$visitor:Js,fixedFields:{name:{$ref:"#/visitors/value"},description:{$ref:"#/visitors/value"},iri:{$ref:"#/visitors/value"},level:{$ref:"#/visitors/document/objects/RequirementLevel"}}},Standard:{$visitor:Zs,fixedFields:{name:{$ref:"#/visitors/value"},description:{$ref:"#/visitors/value"},level:{$ref:"#/visitors/document/objects/RequirementLevel"},iri:{$ref:"#/visitors/value"}}},Scenario:{$visitor:zs,fixedFields:{description:{$ref:"#/visitors/value"},when:{$ref:"#/visitors/document/objects/StandardIdentifier"},then:Ds}},Requirement:{$visitor:qs,fixedFields:{subject:{$ref:"#/visitors/document/objects/StandardIdentifier"},level:{$ref:"#/visitors/document/objects/RequirementLevel"},values:{$ref:"#/visitors/value"},follows:{$ref:"#/visitors/value"}}},StandardIdentifier:{$visitor:Ns},RequirementLevel:{$visitor:Ps}}}}},pi=e=>{if($t(e))return`${e.element.charAt(0).toUpperCase()+e.element.slice(1)}Element`},hi={MainElement:["content"],InfoElement:["content"],PrincipleElement:["content"],StandardElement:["content"],ScenarioElement:["content"],RequirementElement:["content"],StandardIdentifierElement:["content"],RequirementLevelElement:[],...pr},_i=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof ni||e(n)&&t("main",n)&&r("object",n))),di=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Qs||e(n)&&t("info",n)&&r("object",n))),mi=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Hs||e(n)&&t("principle",n)&&r("object",n))),yi=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Rs||e(n)&&t("requirement",n)&&r("object",n))),gi=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof As||e(n)&&t("requirementLevel",n)&&r("string",n))),vi=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Ls||e(n)&&t("scenario",n)&&r("object",n))),bi=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Gs||e(n)&&t("standard",n)&&r("object",n))),wi=qt((({hasBasicElementProps:e,isElementType:t,primitiveEq:r})=>n=>n instanceof Ms||e(n)&&t("standardIdentifier",n)&&r("array",n))),Ei={namespace:e=>{const{base:t}=e;return t.register("info",Qs),t.register("main",ni),t.register("principle",Hs),t.register("requirement",Rs),t.register("requirementLevel",As),t.register("scenario",Ls),t.register("standard",Gs),t.register("standardIdentifier",Ms),t}},xi=()=>{const e=ot(Ei);return{predicates:{...t,isStringElement:Lt},namespace:e}},ji=(e,{specPath:t=["visitors","document","objects","Main","$visitor"],plugins:r=[]}={})=>{const n=(0,se.e)(e),s=Vn(fi),i=new(Ie(t,s))({specObj:s});return hr(n,i),Or(i.element,r,{toolboxCreator:xi,visitorOptions:{keyMap:hi,nodeTypeGetter:pi}})},Si=e=>(t,r={})=>ji(t,{...r,specPath:e});ni.refract=Si(["visitors","document","objects","Main","$visitor"]),Qs.refract=Si(["visitors","document","objects","Info","$visitor"]),Hs.refract=Si(["visitors","document","objects","Principle","$visitor"]),Rs.refract=Si(["visitors","document","objects","Requirement","$visitor"]),As.refract=Si(["visitors","document","objects","RequirementLevel","$visitor"]),Ls.refract=Si(["visitors","document","objects","Scenario","$visitor"]),Gs.refract=Si(["visitors","document","objects","Standard","$visitor"]),Ms.refract=Si(["visitors","document","objects","StandardIdentifier","$visitor"]);const Ai=f(-1);const Oi=class extends dt{};const Pi=class extends Oi{};const ki=class extends Array{unknownMediaType="application/octet-stream";filterByFormat(){throw new Pi("filterByFormat method in MediaTypes class is not yet implemented.")}findBy(){throw new Pi("findBy method in MediaTypes class is not yet implemented.")}latest(){throw new Pi("latest method in MediaTypes class is not yet implemented.")}};class Mi extends ki{filterByFormat(e="generic"){const t="generic"===e?"apidesignsystems;version":e;return this.filter((e=>e.includes(t)))}findBy(e="2021-05-07",t="generic"){const r="generic"===t?`apidesignsystems;version=${e}`:`apidesignsystems+${t};version=${e}`;return this.find((e=>e.includes(r)))||this.unknownMediaType}latest(e="generic"){return Ai(this.filterByFormat(e))}}const Ii=new Mi("application/vnd.aai.apidesignsystems;version=2021-05-07","application/vnd.aai.apidesignsystems+json;version=2021-05-07","application/vnd.aai.apidesignsystems+yaml;version=2021-05-07"),Ni=new Mi(...Ii.filterByFormat("generic"),...Ii.filterByFormat("json")),Ti=/"version"\s*:\s*"(?<version_json>2021-05-07)"/,Ri=async e=>Ti.test(e)&&await(async e=>{if(!Sn.test(e))return!1;try{return"ERROR"!==(await vt(e)).rootNode.type}catch{return!1}})(e),Ci=async(e,t={})=>{const r=h({},"refractorOpts",t),n=d(["refractorOpts"],t),s=await(async(e,{sourceMap:t=!1,syntacticAnalysis:r="direct"}={})=>{const n=await vt(e);let s;return s="indirect"===r?jn(n,{sourceMap:t}):$r(n,{sourceMap:t}),s})(e,n),{result:i}=s;if(ne(i)){const e=ni.refract(i,r);e.classes.push("result"),s.replaceResult(e)}return s},Fi=ot(Ei)})(),n})()));
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@swagger-api/apidom-parser-adapter-api-design-systems-json",
|
|
3
|
-
"version": "0.
|
|
3
|
+
"version": "0.99.0",
|
|
4
4
|
"description": "Parser adapter for parsing JSON documents into API Design Systems namespace.",
|
|
5
5
|
"publishConfig": {
|
|
6
6
|
"access": "public",
|
|
@@ -38,9 +38,9 @@
|
|
|
38
38
|
"license": "Apache-2.0",
|
|
39
39
|
"dependencies": {
|
|
40
40
|
"@babel/runtime-corejs3": "^7.20.7",
|
|
41
|
-
"@swagger-api/apidom-core": "^0.
|
|
42
|
-
"@swagger-api/apidom-ns-api-design-systems": "^0.
|
|
43
|
-
"@swagger-api/apidom-parser-adapter-json": "^0.
|
|
41
|
+
"@swagger-api/apidom-core": "^0.99.0",
|
|
42
|
+
"@swagger-api/apidom-ns-api-design-systems": "^0.99.0",
|
|
43
|
+
"@swagger-api/apidom-parser-adapter-json": "^0.99.0",
|
|
44
44
|
"@types/ramda": "~0.29.6",
|
|
45
45
|
"ramda": "~0.29.1",
|
|
46
46
|
"ramda-adjunct": "^4.0.0"
|
|
@@ -55,5 +55,5 @@
|
|
|
55
55
|
"README.md",
|
|
56
56
|
"CHANGELOG.md"
|
|
57
57
|
],
|
|
58
|
-
"gitHead": "
|
|
58
|
+
"gitHead": "e3c5ac3e738d561a0eb6d9d0f729e0d6bf20b00f"
|
|
59
59
|
}
|