@arc-js/initiator 0.0.3 → 0.0.5
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/index.d.ts +1 -5
- package/index.js +23 -10
- package/index.min.d.ts +1 -5
- package/index.min.js +4 -4
- package/package.json +1 -1
package/index.d.ts
CHANGED
|
@@ -1,7 +1,3 @@
|
|
|
1
|
-
declare function TranslationInitiator(dirname?: string | undefined): Promise<void>;
|
|
2
|
-
|
|
3
|
-
declare function ConfigInitiator(dirname?: string | undefined): Promise<void>;
|
|
4
|
-
|
|
5
1
|
declare function export_default(dirname?: string | undefined): void;
|
|
6
2
|
|
|
7
|
-
export {
|
|
3
|
+
export { export_default as default };
|
package/index.js
CHANGED
|
@@ -1,7 +1,5 @@
|
|
|
1
1
|
'use strict';
|
|
2
2
|
|
|
3
|
-
Object.defineProperty(exports, '__esModule', { value: true });
|
|
4
|
-
|
|
5
3
|
var fs = require('fs');
|
|
6
4
|
var path = require('path');
|
|
7
5
|
var url = require('url');
|
|
@@ -194689,7 +194687,8 @@ class ConfigGenerator {
|
|
|
194689
194687
|
srcDir: config.srcDir || pajoExports.Pajo.join(dirname, 'src') || '',
|
|
194690
194688
|
outputFile: config.outputFile || pajoExports.Pajo.join(dirname, 'src\\auto-config.ts') || '',
|
|
194691
194689
|
modulesDir: config.modulesDir || pajoExports.Pajo.join(dirname, 'src\\modules') || '',
|
|
194692
|
-
rootConfigPath: config.rootConfigPath || pajoExports.Pajo.join(dirname, 'config.json') || ''
|
|
194690
|
+
rootConfigPath: config.rootConfigPath || pajoExports.Pajo.join(dirname, 'config.json') || '',
|
|
194691
|
+
projectRoot: config.projectRoot || dirname || ''
|
|
194693
194692
|
};
|
|
194694
194693
|
console.log(`--> ConfigGenerator config:: `, this.config);
|
|
194695
194694
|
}
|
|
@@ -194735,21 +194734,37 @@ class ConfigGenerator {
|
|
|
194735
194734
|
fs.writeFileSync(this.config.outputFile, content, 'utf-8');
|
|
194736
194735
|
});
|
|
194737
194736
|
}
|
|
194737
|
+
getRelativeImportPath(targetPath) {
|
|
194738
|
+
const outputDir = path.dirname(this.config.outputFile);
|
|
194739
|
+
const relative = path.relative(outputDir, targetPath);
|
|
194740
|
+
let importPath = relative.replace(/\\/g, '/');
|
|
194741
|
+
if (!importPath.startsWith('.') && !importPath.startsWith('/')) {
|
|
194742
|
+
importPath = './' + importPath;
|
|
194743
|
+
}
|
|
194744
|
+
importPath = importPath.replace(/\.json$/, '');
|
|
194745
|
+
return importPath;
|
|
194746
|
+
}
|
|
194738
194747
|
generateFileContent() {
|
|
194739
194748
|
const { rootConfigPath, modulesDir } = this.config;
|
|
194740
194749
|
const sortedModules = Array.from(this.modules).sort();
|
|
194741
194750
|
const rootConfigExists = fs.existsSync(rootConfigPath);
|
|
194742
|
-
|
|
194743
|
-
|
|
194751
|
+
console.log(`📄 Root config exists: ${rootConfigExists} at ${rootConfigPath}`);
|
|
194752
|
+
const baseImportPath = rootConfigExists
|
|
194753
|
+
? this.getRelativeImportPath(rootConfigPath)
|
|
194754
|
+
: null;
|
|
194755
|
+
const baseConfig = rootConfigExists && baseImportPath
|
|
194756
|
+
? ` 'app': (() => import('${baseImportPath}').then(module => module.default || module))`
|
|
194744
194757
|
: ` 'app': (() => Promise.resolve({}))`;
|
|
194745
194758
|
const modulesImports = sortedModules.map(moduleName => {
|
|
194746
194759
|
const configPath = path.join(modulesDir, moduleName, 'config.json');
|
|
194747
194760
|
const configExists = fs.existsSync(configPath);
|
|
194748
194761
|
if (configExists) {
|
|
194749
|
-
const
|
|
194750
|
-
|
|
194762
|
+
const importPath = this.getRelativeImportPath(configPath);
|
|
194763
|
+
console.log(`📄 Module ${moduleName} config: ${configPath} -> ${importPath}`);
|
|
194764
|
+
return ` '${moduleName}': (() => import('${importPath}').then(module => module.default || module))`;
|
|
194751
194765
|
}
|
|
194752
194766
|
else {
|
|
194767
|
+
console.log(`⚠️ Module ${moduleName} config not found: ${configPath}`);
|
|
194753
194768
|
return ` '${moduleName}': (() => Promise.resolve({}))`;
|
|
194754
194769
|
}
|
|
194755
194770
|
}).join(',\n');
|
|
@@ -194782,6 +194797,4 @@ function index (dirname = __dirname) {
|
|
|
194782
194797
|
ConfigInitiator(dirname);
|
|
194783
194798
|
}
|
|
194784
194799
|
|
|
194785
|
-
exports
|
|
194786
|
-
exports.TranslationInitiator = TranslationInitiator;
|
|
194787
|
-
exports.default = index;
|
|
194800
|
+
module.exports = index;
|
package/index.min.d.ts
CHANGED
|
@@ -1,7 +1,3 @@
|
|
|
1
|
-
declare function TranslationInitiator(dirname?: string | undefined): Promise<void>;
|
|
2
|
-
|
|
3
|
-
declare function ConfigInitiator(dirname?: string | undefined): Promise<void>;
|
|
4
|
-
|
|
5
1
|
declare function export_default(dirname?: string | undefined): void;
|
|
6
2
|
|
|
7
|
-
export {
|
|
3
|
+
export { export_default as default };
|
package/index.min.js
CHANGED
|
@@ -1,4 +1,4 @@
|
|
|
1
|
-
Object.defineProperty(exports,"__esModule",{value:!0});var fs=require("fs"),path=require("path"),url=require("url"),require$$3=require("os"),require$$6=require("inspector"),_documentCurrentScript="undefined"!=typeof document?document.currentScript:null;function __awaiter(e,o,s,c){return new(s=s||Promise)(function(r,t){function n(e){try{a(c.next(e))}catch(e){t(e)}}function i(e){try{a(c.throw(e))}catch(e){t(e)}}function a(e){var t;e.done?r(e.value):((t=e.value)instanceof s?t:new s(function(e){e(t)})).then(n,i)}a((c=c.apply(e,o||[])).next())})}var commonjsGlobal="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:{};function commonjsRequire(e){throw new Error('Could not dynamically require "'+e+'". Please configure the dynamicRequireTargets or/and ignoreDynamicRequires option of @rollup/plugin-commonjs appropriately for this require call to work.')}var hasRequiredBase64,hasRequiredBase64Vlq,typescript={exports:{}},sourceMapSupport={exports:{}},sourceMap={},sourceMapGenerator={},base64Vlq={},base64={};function requireBase64(){var t;return hasRequiredBase64||(hasRequiredBase64=1,t="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/".split(""),base64.encode=function(e){if(0<=e&&e<t.length)return t[e];throw new TypeError("Must be between 0 and 63: "+e)},base64.decode=function(e){return 65<=e&&e<=90?e-65:97<=e&&e<=122?e-97+26:48<=e&&e<=57?e-48+52:43==e?62:47==e?63:-1}),base64}function requireBase64Vlq(){var l;return hasRequiredBase64Vlq||(hasRequiredBase64Vlq=1,l=requireBase64(),0,base64Vlq.encode=function(e){for(var t,r="",n=(e=e)<0?1+(-e<<1):e<<1;t=31&n,0<(n>>>=5)&&(t|=32),r+=l.encode(t),0<n;);return r},base64Vlq.decode=function(e,t,r){var n,i,a,o=e.length,s=0,c=0;do{if(o<=t)throw new Error("Expected more digits in base 64 VLQ value.");if(-1===(i=l.decode(e.charCodeAt(t++))))throw new Error("Invalid base64 digit: "+e.charAt(t-1))}while(n=!!(32&i),s+=(i&=31)<<c,c+=5,n);r.value=(a=s>>1,1==(1&s)?-a:a),r.rest=t}),base64Vlq}var hasRequiredUtil,util={};function requireUtil(){var s,t,i,e;return hasRequiredUtil||(hasRequiredUtil=1,(s=util).getArg=function(e,t,r){if(t in e)return e[t];if(3===arguments.length)return r;throw new Error('"'+t+'" is a required argument.')},t=/^(?:([\w+\-.]+):)?\/\/(?:(\w+:\w+)@)?([\w.-]*)(?::(\d+))?(.*)$/,i=/^data:.+\,.+$/,s.urlParse=c,s.urlGenerate=l,s.normalize=a,s.join=n,s.isAbsolute=function(e){return"/"===e.charAt(0)||t.test(e)},s.relative=function(e,t){e=(e=""===e?".":e).replace(/\/$/,"");for(var r=0;0!==t.indexOf(e+"/");){var n=e.lastIndexOf("/");if(n<0)return t;if((e=e.slice(0,n)).match(/^([^\/]+:\/)?\/*$/))return t;++r}return Array(r+1).join("../")+t.substr(e.length+1)},e=!("__proto__"in Object.create(null)),s.toSetString=e?r:function(e){return o(e)?"$"+e:e},s.fromSetString=e?r:function(e){return o(e)?e.slice(1):e},s.compareByOriginalPositions=function(e,t,r){var n=_(e.source,t.source);return 0!==n||0!=(n=e.originalLine-t.originalLine)||0!=(n=e.originalColumn-t.originalColumn)||r||0!=(n=e.generatedColumn-t.generatedColumn)||0!=(n=e.generatedLine-t.generatedLine)?n:_(e.name,t.name)},s.compareByGeneratedPositionsDeflated=function(e,t,r){var n=e.generatedLine-t.generatedLine;return 0!=n||0!=(n=e.generatedColumn-t.generatedColumn)||r||0!==(n=_(e.source,t.source))||0!=(n=e.originalLine-t.originalLine)||0!=(n=e.originalColumn-t.originalColumn)?n:_(e.name,t.name)},s.compareByGeneratedPositionsInflated=function(e,t){var r=e.generatedLine-t.generatedLine;return 0!=r||0!=(r=e.generatedColumn-t.generatedColumn)||0!==(r=_(e.source,t.source))||0!=(r=e.originalLine-t.originalLine)||0!=(r=e.originalColumn-t.originalColumn)?r:_(e.name,t.name)},s.parseSourceMapInput=function(e){return JSON.parse(e.replace(/^\)]}'[^\n]*\n/,""))},s.computeSourceURL=function(e,t,r){if(t=t||"",e&&("/"!==e[e.length-1]&&"/"!==t[0]&&(e+="/"),t=e+t),r){e=c(r);if(!e)throw new Error("sourceMapURL could not be parsed");e.path&&0<=(r=e.path.lastIndexOf("/"))&&(e.path=e.path.substring(0,r+1)),t=n(l(e),t)}return a(t)}),util;function c(e){e=e.match(t);return e?{scheme:e[1],auth:e[2],host:e[3],port:e[4],path:e[5]}:null}function l(e){var t="";return e.scheme&&(t+=e.scheme+":"),t+="//",e.auth&&(t+=e.auth+"@"),e.host&&(t+=e.host),e.port&&(t+=":"+e.port),e.path&&(t+=e.path),t}function a(e){var t=e,r=c(e);if(r){if(!r.path)return e;t=r.path}for(var n,e=s.isAbsolute(t),i=t.split(/\/+/),a=0,o=i.length-1;0<=o;o--)"."===(n=i[o])?i.splice(o,1):".."===n?a++:0<a&&(""===n?(i.splice(o+1,a),a=0):(i.splice(o,2),a--));return""===(t=i.join("/"))&&(t=e?"/":"."),r?(r.path=t,l(r)):t}function n(e,t){""===e&&(e=".");var r=c(t=""===t?".":t),n=c(e);return n&&(e=n.path||"/"),r&&!r.scheme?(n&&(r.scheme=n.scheme),l(r)):r||t.match(i)?t:!n||n.host||n.path?(r="/"===t.charAt(0)?t:a(e.replace(/\/+$/,"")+"/"+t),n?(n.path=r,l(n)):r):(n.host=t,l(n))}function r(e){return e}function o(e){if(e){var t=e.length;if(!(t<9)&&95===e.charCodeAt(t-1)&&95===e.charCodeAt(t-2)&&111===e.charCodeAt(t-3)&&116===e.charCodeAt(t-4)&&111===e.charCodeAt(t-5)&&114===e.charCodeAt(t-6)&&112===e.charCodeAt(t-7)&&95===e.charCodeAt(t-8)&&95===e.charCodeAt(t-9)){for(var r=t-10;0<=r;r--)if(36!==e.charCodeAt(r))return;return 1}}}function _(e,t){return e===t?0:null===e||null!==t&&t<e?1:-1}}var hasRequiredArraySet,arraySet={};function requireArraySet(){var a,o,s;return hasRequiredArraySet||(hasRequiredArraySet=1,a=requireUtil(),o=Object.prototype.hasOwnProperty,s="undefined"!=typeof Map,c.fromArray=function(e,t){for(var r=new c,n=0,i=e.length;n<i;n++)r.add(e[n],t);return r},c.prototype.size=function(){return s?this._set.size:Object.getOwnPropertyNames(this._set).length},c.prototype.add=function(e,t){var r=s?e:a.toSetString(e),n=s?this.has(e):o.call(this._set,r),i=this._array.length;n&&!t||this._array.push(e),n||(s?this._set.set(e,i):this._set[r]=i)},c.prototype.has=function(e){return s?this._set.has(e):(e=a.toSetString(e),o.call(this._set,e))},c.prototype.indexOf=function(e){if(s){var t=this._set.get(e);if(0<=t)return t}else{t=a.toSetString(e);if(o.call(this._set,t))return this._set[t]}throw new Error('"'+e+'" is not in the set.')},c.prototype.at=function(e){if(0<=e&&e<this._array.length)return this._array[e];throw new Error("No element indexed by "+e)},c.prototype.toArray=function(){return this._array.slice()},arraySet.ArraySet=c),arraySet;function c(){this._array=[],this._set=s?new Map:Object.create(null)}}var hasRequiredMappingList,hasRequiredSourceMapGenerator,mappingList={};function requireMappingList(){var a;return hasRequiredMappingList||(hasRequiredMappingList=1,a=requireUtil(),e.prototype.unsortedForEach=function(e,t){this._array.forEach(e,t)},e.prototype.add=function(e){var t,r,n,i;t=this._last,r=e,n=t.generatedLine,i=r.generatedLine,n<i||i==n&&t.generatedColumn<=r.generatedColumn||a.compareByGeneratedPositionsInflated(t,r)<=0?this._last=e:this._sorted=!1,this._array.push(e)},e.prototype.toArray=function(){return this._sorted||(this._array.sort(a.compareByGeneratedPositionsInflated),this._sorted=!0),this._array},mappingList.MappingList=e),mappingList;function e(){this._array=[],this._sorted=!0,this._last={generatedLine:-1,generatedColumn:0}}}function requireSourceMapGenerator(){var p,f,t,r;return hasRequiredSourceMapGenerator||(hasRequiredSourceMapGenerator=1,p=requireBase64Vlq(),f=requireUtil(),t=requireArraySet().ArraySet,r=requireMappingList().MappingList,e.prototype._version=3,e.fromSourceMap=function(r){var n=r.sourceRoot,i=new e({file:r.file,sourceRoot:n});return r.eachMapping(function(e){var t={generated:{line:e.generatedLine,column:e.generatedColumn}};null!=e.source&&(t.source=e.source,null!=n&&(t.source=f.relative(n,t.source)),t.original={line:e.originalLine,column:e.originalColumn},null!=e.name)&&(t.name=e.name),i.addMapping(t)}),r.sources.forEach(function(e){var t=e,t=(null!==n&&(t=f.relative(n,e)),i._sources.has(t)||i._sources.add(t),r.sourceContentFor(e));null!=t&&i.setSourceContent(e,t)}),i},e.prototype.addMapping=function(e){var t=f.getArg(e,"generated"),r=f.getArg(e,"original",null),n=f.getArg(e,"source",null),e=f.getArg(e,"name",null);this._skipValidation||this._validateMapping(t,r,n,e),null!=n&&(n=String(n),this._sources.has(n)||this._sources.add(n)),null!=e&&(e=String(e),this._names.has(e)||this._names.add(e)),this._mappings.add({generatedLine:t.line,generatedColumn:t.column,originalLine:null!=r&&r.line,originalColumn:null!=r&&r.column,source:n,name:e})},e.prototype.setSourceContent=function(e,t){null!=this._sourceRoot&&(e=f.relative(this._sourceRoot,e)),null!=t?(this._sourcesContents||(this._sourcesContents=Object.create(null)),this._sourcesContents[f.toSetString(e)]=t):this._sourcesContents&&(delete this._sourcesContents[f.toSetString(e)],0===Object.keys(this._sourcesContents).length)&&(this._sourcesContents=null)},e.prototype.applySourceMap=function(r,e,n){var i=e;if(null==e){if(null==r.file)throw new Error('SourceMapGenerator.prototype.applySourceMap requires either an explicit source file, or the source map\'s "file" property. Both were omitted.');i=r.file}var a=this._sourceRoot,o=(null!=a&&(i=f.relative(a,i)),new t),s=new t;this._mappings.unsortedForEach(function(e){e.source===i&&null!=e.originalLine&&null!=(t=r.originalPositionFor({line:e.originalLine,column:e.originalColumn})).source&&(e.source=t.source,null!=n&&(e.source=f.join(n,e.source)),null!=a&&(e.source=f.relative(a,e.source)),e.originalLine=t.line,e.originalColumn=t.column,null!=t.name)&&(e.name=t.name);var t=e.source,t=(null==t||o.has(t)||o.add(t),e.name);null==t||s.has(t)||s.add(t)},this),this._sources=o,this._names=s,r.sources.forEach(function(e){var t=r.sourceContentFor(e);null!=t&&(null!=n&&(e=f.join(n,e)),null!=a&&(e=f.relative(a,e)),this.setSourceContent(e,t))},this)},e.prototype._validateMapping=function(e,t,r,n){if(t&&"number"!=typeof t.line&&"number"!=typeof t.column)throw new Error("original.line and original.column are not numbers -- you probably meant to omit the original mapping entirely and only map the generated position. If so, pass null for the original mapping instead of an object with empty or null values.");if((!(e&&"line"in e&&"column"in e&&0<e.line&&0<=e.column)||t||r||n)&&!(e&&"line"in e&&"column"in e&&t&&"line"in t&&"column"in t&&0<e.line&&0<=e.column&&0<t.line&&0<=t.column&&r))throw new Error("Invalid mapping: "+JSON.stringify({generated:e,source:r,original:t,name:n}))},e.prototype._serializeMappings=function(){for(var e,t,r,n=0,i=1,a=0,o=0,s=0,c=0,l="",_=this._mappings.toArray(),u=0,d=_.length;u<d;u++){if(e="",(t=_[u]).generatedLine!==i)for(n=0;t.generatedLine!==i;)e+=";",i++;else if(0<u){if(!f.compareByGeneratedPositionsInflated(t,_[u-1]))continue;e+=","}e+=p.encode(t.generatedColumn-n),n=t.generatedColumn,null!=t.source&&(r=this._sources.indexOf(t.source),e+=p.encode(r-c),c=r,e+=p.encode(t.originalLine-1-o),o=t.originalLine-1,e+=p.encode(t.originalColumn-a),a=t.originalColumn,null!=t.name)&&(r=this._names.indexOf(t.name),e+=p.encode(r-s),s=r),l+=e}return l},e.prototype._generateSourcesContent=function(e,t){return e.map(function(e){if(!this._sourcesContents)return null;null!=t&&(e=f.relative(t,e));e=f.toSetString(e);return Object.prototype.hasOwnProperty.call(this._sourcesContents,e)?this._sourcesContents[e]:null},this)},e.prototype.toJSON=function(){var e={version:this._version,sources:this._sources.toArray(),names:this._names.toArray(),mappings:this._serializeMappings()};return null!=this._file&&(e.file=this._file),null!=this._sourceRoot&&(e.sourceRoot=this._sourceRoot),this._sourcesContents&&(e.sourcesContent=this._generateSourcesContent(e.sources,e.sourceRoot)),e},e.prototype.toString=function(){return JSON.stringify(this.toJSON())},sourceMapGenerator.SourceMapGenerator=e),sourceMapGenerator;function e(e){this._file=f.getArg(e=e||{},"file",null),this._sourceRoot=f.getArg(e,"sourceRoot",null),this._skipValidation=f.getArg(e,"skipValidation",!1),this._sources=new t,this._names=new t,this._mappings=new r,this._sourcesContents=null}}var hasRequiredBinarySearch,sourceMapConsumer={},binarySearch={};function requireBinarySearch(){var l;return hasRequiredBinarySearch||(hasRequiredBinarySearch=1,(l=binarySearch).GREATEST_LOWER_BOUND=1,l.LEAST_UPPER_BOUND=2,l.search=function(e,t,r,n){if(0===t.length)return-1;var i=function e(t,r,n,i,a,o){var s=Math.floor((r-t)/2)+t,c=a(n,i[s],!0);return 0===c?s:0<c?1<r-s?e(s,r,n,i,a,o):o==l.LEAST_UPPER_BOUND?r<i.length?r:-1:s:1<s-t?e(t,s,n,i,a,o):o==l.LEAST_UPPER_BOUND?s:t<0?-1:t}(-1,t.length,e,t,r,n||l.GREATEST_LOWER_BOUND);if(i<0)return-1;for(;0<=i-1&&0===r(t[i],t[i-1],!0);)--i;return i}),binarySearch}var hasRequiredQuickSort,hasRequiredSourceMapConsumer,quickSort={};function requireQuickSort(){return hasRequiredQuickSort||(hasRequiredQuickSort=1,quickSort.quickSort=function(e,t){_(e,t,0,e.length-1)}),quickSort;function l(e,t,r){var n=e[t];e[t]=e[r],e[r]=n}function _(e,t,r,n){if(r<n){c=n;for(var i=(s=r)-1,a=(l(e,Math.round(s+Math.random()*(c-s)),n),e[n]),o=r;o<n;o++)t(e[o],a)<=0&&l(e,i+=1,o);l(e,i+1,o);c=i+1;_(e,t,r,c-1),_(e,t,c+1,n)}var s,c}}function requireSourceMapConsumer(){var y,c,d,v,b;return hasRequiredSourceMapConsumer||(hasRequiredSourceMapConsumer=1,y=requireUtil(),c=requireBinarySearch(),d=requireArraySet().ArraySet,v=requireBase64Vlq(),b=requireQuickSort().quickSort,o.fromSourceMap=function(e,t){return p.fromSourceMap(e,t)},o.prototype._version=3,o.prototype.__generatedMappings=null,Object.defineProperty(o.prototype,"_generatedMappings",{configurable:!0,enumerable:!0,get:function(){return this.__generatedMappings||this._parseMappings(this._mappings,this.sourceRoot),this.__generatedMappings}}),o.prototype.__originalMappings=null,Object.defineProperty(o.prototype,"_originalMappings",{configurable:!0,enumerable:!0,get:function(){return this.__originalMappings||this._parseMappings(this._mappings,this.sourceRoot),this.__originalMappings}}),o.prototype._charIsMappingSeparator=function(e,t){e=e.charAt(t);return";"===e||","===e},o.prototype._parseMappings=function(e,t){throw new Error("Subclasses must implement _parseMappings")},o.GENERATED_ORDER=1,o.ORIGINAL_ORDER=2,o.GREATEST_LOWER_BOUND=1,o.LEAST_UPPER_BOUND=2,o.prototype.eachMapping=function(e,t,r){var n,t=t||null;switch(r||o.GENERATED_ORDER){case o.GENERATED_ORDER:n=this._generatedMappings;break;case o.ORIGINAL_ORDER:n=this._originalMappings;break;default:throw new Error("Unknown order of iteration.")}var i=this.sourceRoot;n.map(function(e){var t=null===e.source?null:this._sources.at(e.source);return{source:y.computeSourceURL(i,t,this._sourceMapURL),generatedLine:e.generatedLine,generatedColumn:e.generatedColumn,originalLine:e.originalLine,originalColumn:e.originalColumn,name:null===e.name?null:this._names.at(e.name)}},this).forEach(e,t)},o.prototype.allGeneratedPositionsFor=function(e){var t=y.getArg(e,"line"),r={source:y.getArg(e,"source"),originalLine:t,originalColumn:y.getArg(e,"column",0)};if(r.source=this._findSourceIndex(r.source),r.source<0)return[];var n=[],i=this._findMapping(r,this._originalMappings,"originalLine","originalColumn",y.compareByOriginalPositions,c.LEAST_UPPER_BOUND);if(0<=i){var a=this._originalMappings[i];if(void 0===e.column)for(var o=a.originalLine;a&&a.originalLine===o;)n.push({line:y.getArg(a,"generatedLine",null),column:y.getArg(a,"generatedColumn",null),lastColumn:y.getArg(a,"lastGeneratedColumn",null)}),a=this._originalMappings[++i];else for(var s=a.originalColumn;a&&a.originalLine===t&&a.originalColumn==s;)n.push({line:y.getArg(a,"generatedLine",null),column:y.getArg(a,"generatedColumn",null),lastColumn:y.getArg(a,"lastGeneratedColumn",null)}),a=this._originalMappings[++i]}return n},sourceMapConsumer.SourceMapConsumer=o,(p.prototype=Object.create(o.prototype)).consumer=o,p.prototype._findSourceIndex=function(e){var t,r=e;if(null!=this.sourceRoot&&(r=y.relative(this.sourceRoot,r)),this._sources.has(r))return this._sources.indexOf(r);for(t=0;t<this._absoluteSources.length;++t)if(this._absoluteSources[t]==e)return t;return-1},p.fromSourceMap=function(e,t){for(var r=Object.create(p.prototype),n=r._names=d.fromArray(e._names.toArray(),!0),i=r._sources=d.fromArray(e._sources.toArray(),!0),a=(r.sourceRoot=e._sourceRoot,r.sourcesContent=e._generateSourcesContent(r._sources.toArray(),r.sourceRoot),r.file=e._file,r._sourceMapURL=t,r._absoluteSources=r._sources.toArray().map(function(e){return y.computeSourceURL(r.sourceRoot,e,t)}),e._mappings.toArray().slice()),o=r.__generatedMappings=[],s=r.__originalMappings=[],c=0,l=a.length;c<l;c++){var _=a[c],u=new x;u.generatedLine=_.generatedLine,u.generatedColumn=_.generatedColumn,_.source&&(u.source=i.indexOf(_.source),u.originalLine=_.originalLine,u.originalColumn=_.originalColumn,_.name&&(u.name=n.indexOf(_.name)),s.push(u)),o.push(u)}return b(r.__originalMappings,y.compareByOriginalPositions),r},p.prototype._version=3,Object.defineProperty(p.prototype,"sources",{get:function(){return this._absoluteSources.slice()}}),p.prototype._parseMappings=function(e,t){for(var r,n,i,a,o=1,s=0,c=0,l=0,_=0,u=0,d=e.length,p=0,f={},m={},g=[],h=[];p<d;)if(";"===e.charAt(p))o++,p++,s=0;else if(","===e.charAt(p))p++;else{for((r=new x).generatedLine=o,a=p;a<d&&!this._charIsMappingSeparator(e,a);a++);if(i=f[n=e.slice(p,a)])p+=n.length;else{for(i=[];p<a;)v.decode(e,p,m),p=m.rest,i.push(m.value);if(2===i.length)throw new Error("Found a source, but no line and column");if(3===i.length)throw new Error("Found a source and line, but no column");f[n]=i}r.generatedColumn=s+i[0],s=r.generatedColumn,1<i.length&&(r.source=_+i[1],_+=i[1],r.originalLine=c+i[2],c=r.originalLine,r.originalLine+=1,r.originalColumn=l+i[3],l=r.originalColumn,4<i.length)&&(r.name=u+i[4],u+=i[4]),h.push(r),"number"==typeof r.originalLine&&g.push(r)}b(h,y.compareByGeneratedPositionsDeflated),this.__generatedMappings=h,b(g,y.compareByOriginalPositions),this.__originalMappings=g},p.prototype._findMapping=function(e,t,r,n,i,a){if(e[r]<=0)throw new TypeError("Line must be greater than or equal to 1, got "+e[r]);if(e[n]<0)throw new TypeError("Column must be greater than or equal to 0, got "+e[n]);return c.search(e,t,i,a)},p.prototype.computeColumnSpans=function(){for(var e=0;e<this._generatedMappings.length;++e){var t=this._generatedMappings[e];if(e+1<this._generatedMappings.length){var r=this._generatedMappings[e+1];if(t.generatedLine===r.generatedLine){t.lastGeneratedColumn=r.generatedColumn-1;continue}}t.lastGeneratedColumn=1/0}},p.prototype.originalPositionFor=function(e){var t={generatedLine:y.getArg(e,"line"),generatedColumn:y.getArg(e,"column")},e=this._findMapping(t,this._generatedMappings,"generatedLine","generatedColumn",y.compareByGeneratedPositionsDeflated,y.getArg(e,"bias",o.GREATEST_LOWER_BOUND));if(0<=e){var r,e=this._generatedMappings[e];if(e.generatedLine===t.generatedLine)return null!==(t=y.getArg(e,"source",null))&&(t=this._sources.at(t),t=y.computeSourceURL(this.sourceRoot,t,this._sourceMapURL)),null!==(r=y.getArg(e,"name",null))&&(r=this._names.at(r)),{source:t,line:y.getArg(e,"originalLine",null),column:y.getArg(e,"originalColumn",null),name:r}}return{source:null,line:null,column:null,name:null}},p.prototype.hasContentsOfAllSources=function(){return!!this.sourcesContent&&this.sourcesContent.length>=this._sources.size()&&!this.sourcesContent.some(function(e){return null==e})},p.prototype.sourceContentFor=function(e,t){if(!this.sourcesContent)return null;var r=this._findSourceIndex(e);if(0<=r)return this.sourcesContent[r];var n,r=e;if(null!=this.sourceRoot&&(r=y.relative(this.sourceRoot,r)),null!=this.sourceRoot&&(n=y.urlParse(this.sourceRoot))){e=r.replace(/^file:\/\//,"");if("file"==n.scheme&&this._sources.has(e))return this.sourcesContent[this._sources.indexOf(e)];if((!n.path||"/"==n.path)&&this._sources.has("/"+r))return this.sourcesContent[this._sources.indexOf("/"+r)]}if(t)return null;throw new Error('"'+r+'" is not in the SourceMap.')},p.prototype.generatedPositionFor=function(e){var t=y.getArg(e,"source"),t=this._findSourceIndex(t);if(!(t<0)){t={source:t,originalLine:y.getArg(e,"line"),originalColumn:y.getArg(e,"column")},e=this._findMapping(t,this._originalMappings,"originalLine","originalColumn",y.compareByOriginalPositions,y.getArg(e,"bias",o.GREATEST_LOWER_BOUND));if(0<=e){e=this._originalMappings[e];if(e.source===t.source)return{line:y.getArg(e,"generatedLine",null),column:y.getArg(e,"generatedColumn",null),lastColumn:y.getArg(e,"lastGeneratedColumn",null)}}}return{line:null,column:null,lastColumn:null}},sourceMapConsumer.BasicSourceMapConsumer=p,(n.prototype=Object.create(o.prototype)).constructor=o,n.prototype._version=3,Object.defineProperty(n.prototype,"sources",{get:function(){for(var e=[],t=0;t<this._sections.length;t++)for(var r=0;r<this._sections[t].consumer.sources.length;r++)e.push(this._sections[t].consumer.sources[r]);return e}}),n.prototype.originalPositionFor=function(e){var t={generatedLine:y.getArg(e,"line"),generatedColumn:y.getArg(e,"column")},r=c.search(t,this._sections,function(e,t){var r=e.generatedLine-t.generatedOffset.generatedLine;return r||e.generatedColumn-t.generatedOffset.generatedColumn}),r=this._sections[r];return r?r.consumer.originalPositionFor({line:t.generatedLine-(r.generatedOffset.generatedLine-1),column:t.generatedColumn-(r.generatedOffset.generatedLine===t.generatedLine?r.generatedOffset.generatedColumn-1:0),bias:e.bias}):{source:null,line:null,column:null,name:null}},n.prototype.hasContentsOfAllSources=function(){return this._sections.every(function(e){return e.consumer.hasContentsOfAllSources()})},n.prototype.sourceContentFor=function(e,t){for(var r=0;r<this._sections.length;r++){var n=this._sections[r].consumer.sourceContentFor(e,!0);if(n)return n}if(t)return null;throw new Error('"'+e+'" is not in the SourceMap.')},n.prototype.generatedPositionFor=function(e){for(var t=0;t<this._sections.length;t++){var r=this._sections[t];if(-1!==r.consumer._findSourceIndex(y.getArg(e,"source"))){var n=r.consumer.generatedPositionFor(e);if(n)return{line:n.line+(r.generatedOffset.generatedLine-1),column:n.column+(r.generatedOffset.generatedLine===n.line?r.generatedOffset.generatedColumn-1:0)}}}return{line:null,column:null}},n.prototype._parseMappings=function(e,t){this.__generatedMappings=[],this.__originalMappings=[];for(var r=0;r<this._sections.length;r++)for(var n=this._sections[r],i=n.consumer._generatedMappings,a=0;a<i.length;a++){var o=i[a],s=n.consumer._sources.at(o.source),s=y.computeSourceURL(n.consumer.sourceRoot,s,this._sourceMapURL),c=(this._sources.add(s),s=this._sources.indexOf(s),null),s=(o.name&&(c=n.consumer._names.at(o.name),this._names.add(c),c=this._names.indexOf(c)),{source:s,generatedLine:o.generatedLine+(n.generatedOffset.generatedLine-1),generatedColumn:o.generatedColumn+(n.generatedOffset.generatedLine===o.generatedLine?n.generatedOffset.generatedColumn-1:0),originalLine:o.originalLine,originalColumn:o.originalColumn,name:c});this.__generatedMappings.push(s),"number"==typeof s.originalLine&&this.__originalMappings.push(s)}b(this.__generatedMappings,y.compareByGeneratedPositionsDeflated),b(this.__originalMappings,y.compareByOriginalPositions)},sourceMapConsumer.IndexedSourceMapConsumer=n),sourceMapConsumer;function o(e,t){var r=e;return new(null!=(r="string"==typeof e?y.parseSourceMapInput(e):r).sections?n:p)(r,t)}function p(e,t){var r=e,e=("string"==typeof e&&(r=y.parseSourceMapInput(e)),y.getArg(r,"version")),n=y.getArg(r,"sources"),i=y.getArg(r,"names",[]),a=y.getArg(r,"sourceRoot",null),o=y.getArg(r,"sourcesContent",null),s=y.getArg(r,"mappings"),r=y.getArg(r,"file",null);if(e!=this._version)throw new Error("Unsupported version: "+e);a=a&&y.normalize(a),n=n.map(String).map(y.normalize).map(function(e){return a&&y.isAbsolute(a)&&y.isAbsolute(e)?y.relative(a,e):e}),this._names=d.fromArray(i.map(String),!0),this._sources=d.fromArray(n,!0),this._absoluteSources=this._sources.toArray().map(function(e){return y.computeSourceURL(a,e,t)}),this.sourceRoot=a,this.sourcesContent=o,this._mappings=s,this._sourceMapURL=t,this.file=r}function x(){this.generatedLine=0,this.generatedColumn=0,this.source=null,this.originalLine=null,this.originalColumn=null,this.name=null}function n(e,i){var t=e,e=("string"==typeof e&&(t=y.parseSourceMapInput(e)),y.getArg(t,"version")),t=y.getArg(t,"sections");if(e!=this._version)throw new Error("Unsupported version: "+e);this._sources=new d,this._names=new d;var a={line:-1,column:0};this._sections=t.map(function(e){if(e.url)throw new Error("Support for url field in sections not implemented.");var t=y.getArg(e,"offset"),r=y.getArg(t,"line"),n=y.getArg(t,"column");if(r<a.line||r===a.line&&n<a.column)throw new Error("Section offsets must be ordered and non-overlapping.");return a=t,{generatedOffset:{generatedLine:r+1,generatedColumn:n+1},consumer:new o(y.getArg(e,"map"),i)}})}}var hasRequiredSourceNode,hasRequiredSourceMap,bufferFrom_1,hasRequiredBufferFrom,hasRequiredSourceMapSupport,hasRequiredTypescript,sourceNode={};function requireSourceNode(){var t,d,p,a;return hasRequiredSourceNode||(hasRequiredSourceNode=1,t=requireSourceMapGenerator().SourceMapGenerator,d=requireUtil(),p=/(\r?\n)/,a="$$$isSourceNode$$$",f.fromStringWithSourceMap=function(e,r,n){function i(){return e()+(e()||"");function e(){return s<o.length?o[s++]:void 0}}var a=new f,o=e.split(p),s=0,c=1,l=0,_=null;return r.eachMapping(function(e){if(null!==_){var t;if(!(c<e.generatedLine))return t=(r=o[s]||"").substr(0,e.generatedColumn-l),o[s]=r.substr(e.generatedColumn-l),l=e.generatedColumn,u(_,t),void(_=e);u(_,i()),c++,l=0}for(;c<e.generatedLine;)a.add(i()),c++;var r;l<e.generatedColumn&&(r=o[s]||"",a.add(r.substr(0,e.generatedColumn)),o[s]=r.substr(e.generatedColumn),l=e.generatedColumn),_=e},this),s<o.length&&(_&&u(_,i()),a.add(o.splice(s).join(""))),r.sources.forEach(function(e){var t=r.sourceContentFor(e);null!=t&&(null!=n&&(e=d.join(n,e)),a.setSourceContent(e,t))}),a;function u(e,t){var r;null===e||void 0===e.source?a.add(t):(r=n?d.join(n,e.source):e.source,a.add(new f(e.originalLine,e.originalColumn,r,t,e.name)))}},f.prototype.add=function(e){if(Array.isArray(e))e.forEach(function(e){this.add(e)},this);else{if(!e[a]&&"string"!=typeof e)throw new TypeError("Expected a SourceNode, string, or an array of SourceNodes and strings. Got "+e);e&&this.children.push(e)}return this},f.prototype.prepend=function(e){if(Array.isArray(e))for(var t=e.length-1;0<=t;t--)this.prepend(e[t]);else{if(!e[a]&&"string"!=typeof e)throw new TypeError("Expected a SourceNode, string, or an array of SourceNodes and strings. Got "+e);this.children.unshift(e)}return this},f.prototype.walk=function(e){for(var t,r=0,n=this.children.length;r<n;r++)(t=this.children[r])[a]?t.walk(e):""!==t&&e(t,{source:this.source,line:this.line,column:this.column,name:this.name})},f.prototype.join=function(e){var t,r,n=this.children.length;if(0<n){for(t=[],r=0;r<n-1;r++)t.push(this.children[r]),t.push(e);t.push(this.children[r]),this.children=t}return this},f.prototype.replaceRight=function(e,t){var r=this.children[this.children.length-1];return r[a]?r.replaceRight(e,t):"string"==typeof r?this.children[this.children.length-1]=r.replace(e,t):this.children.push("".replace(e,t)),this},f.prototype.setSourceContent=function(e,t){this.sourceContents[d.toSetString(e)]=t},f.prototype.walkSourceContents=function(e){for(var t=0,r=this.children.length;t<r;t++)this.children[t][a]&&this.children[t].walkSourceContents(e);for(var n=Object.keys(this.sourceContents),t=0,r=n.length;t<r;t++)e(d.fromSetString(n[t]),this.sourceContents[n[t]])},f.prototype.toString=function(){var t="";return this.walk(function(e){t+=e}),t},f.prototype.toStringWithSourceMap=function(e){var i={code:"",line:1,column:0},a=new t(e),o=!1,s=null,c=null,l=null,_=null;return this.walk(function(e,t){i.code+=e,null!==t.source&&null!==t.line&&null!==t.column?(s===t.source&&c===t.line&&l===t.column&&_===t.name||a.addMapping({source:t.source,original:{line:t.line,column:t.column},generated:{line:i.line,column:i.column},name:t.name}),s=t.source,c=t.line,l=t.column,_=t.name,o=!0):o&&(a.addMapping({generated:{line:i.line,column:i.column}}),s=null,o=!1);for(var r=0,n=e.length;r<n;r++)10===e.charCodeAt(r)?(i.line++,i.column=0,r+1===n?(s=null,o=!1):o&&a.addMapping({source:t.source,original:{line:t.line,column:t.column},generated:{line:i.line,column:i.column},name:t.name})):i.column++}),this.walkSourceContents(function(e,t){a.setSourceContent(e,t)}),{code:i.code,map:a}},sourceNode.SourceNode=f),sourceNode;function f(e,t,r,n,i){this.children=[],this.sourceContents={},this.line=null==e?null:e,this.column=null==t?null:t,this.source=null==r?null:r,this.name=null==i?null:i,this[a]=!0,null!=n&&this.add(n)}}function requireSourceMap(){return hasRequiredSourceMap||(hasRequiredSourceMap=1,sourceMap.SourceMapGenerator=requireSourceMapGenerator().SourceMapGenerator,sourceMap.SourceMapConsumer=requireSourceMapConsumer().SourceMapConsumer,sourceMap.SourceNode=requireSourceNode().SourceNode),sourceMap}function requireBufferFrom(){var o,s;return hasRequiredBufferFrom||(hasRequiredBufferFrom=1,o=Object.prototype.toString,s="undefined"!=typeof Buffer&&"function"==typeof Buffer.alloc&&"function"==typeof Buffer.allocUnsafe&&"function"==typeof Buffer.from,bufferFrom_1=function(e,t,r){if("number"==typeof e)throw new TypeError('"value" argument must not be a number');if("ArrayBuffer"===o.call(e).slice(8,-1)){var n=e,i=t,a=n.byteLength-(i>>>=0);if(a<0)throw new RangeError("'offset' is out of bounds");if(void 0===r)r=a;else if(a<(r>>>=0))throw new RangeError("'length' is out of bounds");return s?Buffer.from(n.slice(i,i+r)):new Buffer(new Uint8Array(n.slice(i,i+r)))}if("string"!=typeof e)return s?Buffer.from(e):new Buffer(e);if(a=e,"string"==typeof(n=t)&&""!==n||(n="utf8"),Buffer.isEncoding(n))return s?Buffer.from(a,n):new Buffer(a,n);throw new TypeError('"encoding" must be a valid string encoding')}),bufferFrom_1}function requireSourceMapSupport(){if(!hasRequiredSourceMapSupport){hasRequiredSourceMapSupport=1;var i,a=sourceMapSupport,e=sourceMapSupport.exports,n=requireSourceMap().SourceMapConsumer,o=path;try{(i=require("fs")).existsSync&&i.readFileSync||(i=null)}catch(e){}var s=requireBufferFrom();function c(e,t){return e.require(t)}var l=!1,_=!1,u=!1,d="auto",p={},f={},m=/^data:application\/json[^,]+base64,/,g=[],h=[];function y(){return"browser"===d||"node"!==d&&"undefined"!=typeof window&&"function"==typeof XMLHttpRequest&&!(window.require&&window.module&&window.process&&"renderer"===window.process.type)}function t(n){return function(e){for(var t=0;t<n.length;t++){var r=n[t](e);if(r)return r}return null}}var v=t(g);function b(e,t){var r,n;return e?(e=o.dirname(e),r=(r=/^\w+:\/\/[^\/]*/.exec(e))?r[0]:"",n=e.slice(r.length),r&&/^\/\w\:/.test(n)?(r+="/")+o.resolve(e.slice(r.length),t).replace(/\\/g,"/"):r+o.resolve(e.slice(r.length),t)):t}g.push(function(e){if(e=e.trim(),(e=/^file:/.test(e)?e.replace(/file:\/\/\/(\w:)?/,function(e,t){return t?"":"/"}):e)in p)return p[e];var t,r="";try{i?i.existsSync(e)&&(r=i.readFileSync(e,"utf8")):((t=new XMLHttpRequest).open("GET",e,!1),t.send(null),4===t.readyState&&200===t.status&&(r=t.responseText))}catch(e){}return p[e]=r});var x=t(h);function S(e){var r=f[e.source];if(r||((t=x(e.source))?(r=f[e.source]={url:t.url,map:new n(t.map)}).map.sourcesContent&&r.map.sources.forEach(function(e,t){t=r.map.sourcesContent[t];t&&(e=b(r.url,e),p[e]=t)}):r=f[e.source]={url:null,map:null}),r&&r.map&&"function"==typeof r.map.originalPositionFor){var t=r.map.originalPositionFor(e);if(null!==t.source)return t.source=b(r.url,t.source),t}return e}function k(){var e,t,r="",n=(this.isNative()?r="native":(!(n=this.getScriptNameOrSourceURL())&&this.isEval()&&(r=this.getEvalOrigin(),r+=", "),r+=n||"<anonymous>",null!=(n=this.getLineNumber())&&(r+=":"+n,n=this.getColumnNumber())&&(r+=":"+n)),""),i=this.getFunctionName(),a=!0,o=this.isConstructor();return!(this.isToplevel()||o)?("[object Object]"===(e=this.getTypeName())&&(e="null"),t=this.getMethodName(),i?(e&&0!=i.indexOf(e)&&(n+=e+"."),n+=i,t&&i.indexOf("."+t)!=i.length-t.length-1&&(n+=" [as "+t+"]")):n+=e+"."+(t||"<anonymous>")):o?n+="new "+(i||"<anonymous>"):i?n+=i:(n+=r,a=!1),a&&(n+=" ("+r+")"),n}function T(t){var r={};return Object.getOwnPropertyNames(Object.getPrototypeOf(t)).forEach(function(e){r[e]=/^(?:is|get)/.test(e)?function(){return t[e].call(t)}:t[e]}),r.toString=k,r}function C(e,t){var r,n,i,a,o,s,c;return void 0===t&&(t={nextPosition:null,curPosition:null}),e.isNative()?t.curPosition=null:(r=e.getFileName()||e.getScriptNameOrSourceURL())?(n=e.getLineNumber(),i=e.getColumnNumber()-1,a=/^v(10\.1[6-9]|10\.[2-9][0-9]|10\.[0-9]{3,}|1[2-9]\d*|[2-9]\d|\d{3,}|11\.11)/.test("object"==typeof process&&null!==process?process.version:"")?0:62,1===n&&a<i&&!y()&&!e.isEval()&&(i-=a),o=S({source:r,line:n,column:i}),t.curPosition=o,s=(e=T(e)).getFunctionName,e.getFunctionName=function(){return null!=t.nextPosition&&t.nextPosition.name||s()},e.getFileName=function(){return o.source},e.getLineNumber=function(){return o.line},e.getColumnNumber=function(){return o.column+1},e.getScriptNameOrSourceURL=function(){return o.source}):(c=e.isEval()&&e.getEvalOrigin())&&(c=function e(t){var r,n=/^eval at ([^(]+) \((.+):(\d+):(\d+)\)$/.exec(t);return n?(r=S({source:n[2],line:+n[3],column:n[4]-1}),"eval at "+n[1]+" ("+r.source+":"+r.line+":"+(r.column+1)+")"):(n=/^eval at ([^(]+) \((.+)\)$/.exec(t))?"eval at "+n[1]+" ("+e(n[2])+")":t}(c),(e=T(e)).getEvalOrigin=function(){return c}),e}function w(e,t){u&&(p={},f={});for(var e=(e.name||"Error")+": "+(e.message||""),r={nextPosition:null,curPosition:null},n=[],i=t.length-1;0<=i;i--)n.push("\n at "+C(t[i],r)),r.nextPosition=r.curPosition;return r.curPosition=r.nextPosition=null,e+n.reverse().join("")}function r(e){e=/\n at [^(]+ \((.*):(\d+):(\d+)\)/.exec(e.stack);if(e){var t=e[1],r=+e[2],e=+e[3],n=p[t];if(!n&&i&&i.existsSync(t))try{n=i.readFileSync(t,"utf8")}catch(e){n=""}if(n){n=n.split(/(?:\r\n|\r|\n)/)[r-1];if(n)return t+":"+r+"\n"+n+"\n"+new Array(e).join(" ")+"^"}}return null}function N(e){r(e);e=(()=>{if("object"==typeof process&&null!==process)return process.stderr})();e&&e._handle&&e._handle.setBlocking&&e._handle.setBlocking(!0),"object"==typeof process&&null!==process&&"function"==typeof process.exit&&process.exit(1)}h.push(function(e){var t,r=(e=>{if(y())try{var t=new XMLHttpRequest,r=(t.open("GET",e,!1),t.send(null),a=4===t.readyState?t.responseText:null,t.getResponseHeader("SourceMap")||t.getResponseHeader("X-SourceMap"));if(r)return r}catch(e){}for(var n,i,a=v(e),o=/(?:\/\/[@#][\s]*sourceMappingURL=([^\s'"]+)[\s]*$)|(?:\/\*[@#][\s]*sourceMappingURL=([^\s*'"]+)[\s]*(?:\*\/)[\s]*$)/gm;i=o.exec(a);)n=i;return n?n[1]:null})(e);return r&&(m.test(r)?(t=r.slice(r.indexOf(",")+1),t=s(t,"base64").toString(),r=e):(r=b(e,r),t=v(r)),t)?{url:r,map:t}:null});var D=g.slice(0),F=h.slice(0);e.wrapCallSite=C,e.getErrorSource=r,e.mapSourcePosition=S,e.retrieveSourceMap=x,e.install=function(e){if((e=e||{}).environment&&(d=e.environment,-1===["node","browser","auto"].indexOf(d)))throw new Error("environment "+d+" was unknown. Available options are {auto, browser, node}");var r,n;if(e.retrieveFile&&(e.overrideRetrieveFile&&(g.length=0),g.unshift(e.retrieveFile)),e.retrieveSourceMap&&(e.overrideRetrieveSourceMap&&(h.length=0),h.unshift(e.retrieveSourceMap)),e.hookRequire&&!y()&&(t=c(a,"module"),(r=t.prototype._compile).__sourceMapSupport||(t.prototype._compile=function(e,t){return p[t]=e,f[t]=void 0,r.call(this,e,t)},t.prototype._compile.__sourceMapSupport=!0)),u=u||"emptyCacheBetweenOperations"in e&&e.emptyCacheBetweenOperations,l||(l=!0,Error.prepareStackTrace=w),!_){var t=!("handleUncaughtExceptions"in e)||e.handleUncaughtExceptions;try{!1===c(a,"worker_threads").isMainThread&&(t=!1)}catch(e){}t&&"object"==typeof process&&null!==process&&"function"==typeof process.on&&(_=!0,n=process.emit,process.emit=function(e){if("uncaughtException"===e){var t=arguments[1]&&arguments[1].stack,e=0<this.listeners(e).length;if(t&&!e)return N(arguments[1])}return n.apply(this,arguments)})}},e.resetRetrieveHandlers=function(){g.length=0,h.length=0,g=D.slice(0),h=F.slice(0),x=t(h),v=t(g)}}return sourceMapSupport.exports}function requireTypescript(){if(!hasRequiredTypescript){hasRequiredTypescript=1;var r=typescript,i={},e={get exports(){return i},set exports(e){i=e,r.exports&&(r.exports=e)}},s=Object.defineProperty,c=(e,t)=>{for(var r in t)s(e,r,{get:t[r],enumerable:!0})},or=(c(o={},{ANONYMOUS:()=>DQ,AccessFlags:()=>sn,AssertionLevel:()=>de,AssignmentDeclarationKind:()=>bn,AssignmentKind:()=>su,Associativity:()=>Du,BreakpointResolver:()=>Vie,BuilderFileEmit:()=>TU,BuilderProgramKind:()=>YU,BuilderState:()=>lU,CallHierarchy:()=>Wie,CharacterCodes:()=>Ln,CheckFlags:()=>Zr,CheckMode:()=>gj,ClassificationType:()=>aG,ClassificationTypeNames:()=>iG,CommentDirectiveType:()=>Or,Comparison:()=>l,CompletionInfoFlags:()=>QK,CompletionTriggerKind:()=>UK,Completions:()=>Cpe,ContainerFlags:()=>kL,ContextFlags:()=>Vr,Debug:()=>U3,DiagnosticCategory:()=>xn,Diagnostics:()=>W3,DocumentHighlights:()=>OY,ElementFlags:()=>on,EmitFlags:()=>Bn,EmitHint:()=>qn,EmitOnly:()=>jr,EndOfLineState:()=>eG,ExitStatus:()=>Jr,ExportKind:()=>bY,Extension:()=>Rn,ExternalEmitHelpers:()=>zn,FileIncludeKind:()=>Rr,FilePreprocessingDiagnosticsKind:()=>Mr,FileSystemEntryKind:()=>hi,FileWatcherEventKind:()=>Qn,FindAllReferences:()=>lme,FlattenLevel:()=>BB,FlowFlags:()=>Ir,ForegroundColorEscapeSequences:()=>lq,FunctionFlags:()=>Su,GeneratedIdentifierFlags:()=>fn,GetLiteralTextFlags:()=>Bl,GoToDefinition:()=>yge,HighlightSpanKind:()=>WK,IdentifierNameMap:()=>mB,ImportKind:()=>vY,ImportsNotUsedAsValues:()=>Fn,IndentStyle:()=>HK,IndexFlags:()=>cn,IndexKind:()=>mn,InferenceFlags:()=>yn,InferencePriority:()=>hn,InlayHintKind:()=>VK,InlayHints:()=>Pge,InternalEmitFlags:()=>Jn,InternalNodeBuilderFlags:()=>Hr,InternalSymbolName:()=>en,IntersectionFlags:()=>Ur,InvalidatedProjectKind:()=>UW,JSDocParsingMode:()=>Gn,JsDoc:()=>Mge,JsTyping:()=>gK,JsxEmit:()=>Dn,JsxFlags:()=>Dr,JsxReferenceKind:()=>ln,LanguageFeatureMinimumTarget:()=>_4,LanguageServiceMode:()=>BK,LanguageVariant:()=>In,LexicalEnvironmentFlags:()=>Vn,ListFormat:()=>Wn,LogLevel:()=>Ge,MapCode:()=>Kge,MemberOverrideStatus:()=>zr,ModifierFlags:()=>Nr,ModuleDetectionKind:()=>Tn,ModuleInstanceState:()=>bL,ModuleKind:()=>l4,ModuleResolutionKind:()=>kn,ModuleSpecifierEnding:()=>fm,NavigateTo:()=>_ee,NavigationBar:()=>xee,NewLineKind:()=>En,NodeBuilderFlags:()=>Wr,NodeCheckFlags:()=>tn,NodeFactoryFlags:()=>Fg,NodeFlags:()=>wr,NodeResolutionFeatures:()=>vO,ObjectFlags:()=>nn,OperationCanceledException:()=>Lr,OperatorPrecedence:()=>Iu,OrganizeImports:()=>Qge,OrganizeImportsMode:()=>qK,OuterExpressionKinds:()=>Un,OutliningElementsCollector:()=>hhe,OutliningSpanKind:()=>YK,OutputFileType:()=>ZK,PackageJsonAutoImportPreference:()=>jK,PackageJsonDependencyGroup:()=>MK,PatternMatchKind:()=>mZ,PollingInterval:()=>Yn,PollingWatchKind:()=>Nn,PragmaKindFlags:()=>Hn,PredicateSemantics:()=>Er,PreparePasteEdits:()=>Bye,PrivateIdentifierKind:()=>xh,ProcessLevel:()=>sJ,ProgramUpdateLevel:()=>Jz,QuotePreference:()=>hX,RegularExpressionFlags:()=>Pr,RelationComparisonResult:()=>Fr,Rename:()=>whe,ScriptElementKind:()=>rG,ScriptElementKindModifier:()=>nG,ScriptKind:()=>Pn,ScriptSnapshot:()=>IK,ScriptTarget:()=>An,SemanticClassificationFormat:()=>zK,SemanticMeaning:()=>sG,SemicolonPreference:()=>KK,SignatureCheckMode:()=>hj,SignatureFlags:()=>un,SignatureHelp:()=>Phe,SignatureInfo:()=>_U,SignatureKind:()=>_n,SmartSelectionRange:()=>Vhe,SnippetKind:()=>jn,StatisticType:()=>NH,StructureIsReused:()=>Br,SymbolAccessibility:()=>$r,SymbolDisplay:()=>$he,SymbolDisplayPartKind:()=>XK,SymbolFlags:()=>Yr,SymbolFormatFlags:()=>Gr,SyntaxKind:()=>Cr,Ternary:()=>vn,ThrottledCancellationToken:()=>Lie,TokenClass:()=>tG,TokenFlags:()=>Ar,TransformFlags:()=>Mn,TypeFacts:()=>fj,TypeFlags:()=>rn,TypeFormatFlags:()=>Kr,TypeMapKind:()=>gn,TypePredicateKind:()=>Xr,TypeReferenceSerializationKind:()=>Qr,UnionReduction:()=>qr,UpToDateStatusType:()=>gW,VarianceFlags:()=>an,Version:()=>fr,VersionRange:()=>Dt,WatchDirectoryFlags:()=>On,WatchDirectoryKind:()=>wn,WatchFileKind:()=>Cn,WatchLogLevel:()=>Gz,WatchType:()=>eW,accessPrivateIdentifier:()=>LB,addEmitFlags:()=>Hg,addEmitHelper:()=>ch,addEmitHelpers:()=>lh,addInternalEmitFlags:()=>Gg,addNodeFactoryPatcher:()=>Pg,addObjectAllocatorPatcher:()=>Hp,addRange:()=>wC,addRelatedInfo:()=>qF,addSyntheticLeadingComment:()=>zE,addSyntheticTrailingComment:()=>qE,addToSeen:()=>Mp,advancedAsyncSuperHelper:()=>r0,affectsDeclarationPathOptionDeclarations:()=>I6,affectsEmitOptionDeclarations:()=>A6,allKeysStartWithDot:()=>GO,altDirectorySeparator:()=>Ii,and:()=>r4,append:()=>q3,appendIfUnique:()=>DC,arrayFrom:()=>JC,arrayIsEqualTo:()=>TC,arrayIsHomogeneous:()=>eE,arrayOf:()=>BC,arrayReverseIterator:()=>D,arrayToMap:()=>$,arrayToMultiMap:()=>zC,arrayToNumericMap:()=>X,assertType:()=>Ue,assign:()=>q,asyncSuperHelper:()=>t0,attachFileToDiagnostics:()=>Yp,base64decode:()=>$d,base64encode:()=>Gd,binarySearch:()=>MC,binarySearchKey:()=>E,bindSourceFile:()=>CM,breakIntoCharacterSpans:()=>EZ,breakIntoWordSpans:()=>PZ,buildLinkParts:()=>eQ,buildOpts:()=>U6,buildOverload:()=>Hye,bundlerModuleNameResolver:()=>xO,canBeConvertedToAsync:()=>ZZ,canHaveDecorators:()=>b9,canHaveExportModifier:()=>pE,canHaveFlowNode:()=>iN,canHaveIllegalDecorators:()=>g9,canHaveIllegalModifiers:()=>h9,canHaveIllegalType:()=>Ly,canHaveIllegalTypeParameters:()=>Ry,canHaveJSDoc:()=>aN,canHaveLocals:()=>t8,canHaveModifiers:()=>v9,canHaveModuleSpecifier:()=>G5,canHaveSymbol:()=>e8,canIncludeBindAndCheckDiagnostics:()=>KF,canJsonReportNoInputFiles:()=>Q9,canProduceDiagnostics:()=>JJ,canUsePropertyAccess:()=>mE,canWatchAffectingLocation:()=>xV,canWatchAtTypes:()=>yV,canWatchDirectoryOrFile:()=>gV,canWatchDirectoryOrFilePath:()=>hV,cartesianProduct:()=>o4,cast:()=>GC,chainBundle:()=>lB,chainDiagnosticMessages:()=>hF,changeAnyExtension:()=>ca,changeCompilerHostLikeToUseCache:()=>aq,changeExtension:()=>Sm,changeFullExtension:()=>la,changesAffectModuleResolution:()=>rl,changesAffectingProgramStructure:()=>nl,characterCodeToRegularExpressionFlag:()=>za,childIsDecorated:()=>O_,classElementOrClassElementParameterIsDecorated:()=>_5,classHasClassThisAssignment:()=>XB,classHasDeclaredOrExplicitlyAssignedName:()=>nJ,classHasExplicitlyAssignedName:()=>rJ,classOrConstructorParameterIsDecorated:()=>l5,classicNameResolver:()=>pL,classifier:()=>cae,cleanExtendedConfigCache:()=>Uz,clear:()=>fC,clearMap:()=>Pp,clearSharedExtendedConfigFileWatcher:()=>qz,climbPastPropertyAccess:()=>xG,clone:()=>Y,cloneCompilerOptions:()=>z$,closeFileWatcher:()=>Np,closeFileWatcherOf:()=>Qz,codefix:()=>_ae,collapseTextChangeRangesAcrossMultipleVersions:()=>Qo,collectExternalModuleInfo:()=>pB,combine:()=>R,combinePaths:()=>Yi,commandLineOptionOfCustomType:()=>J6,commentPragmas:()=>Kn,commonOptionsWithBuild:()=>w6,compact:()=>Re,compareBooleans:()=>De,compareDataObjects:()=>Ep,compareDiagnostics:()=>vF,compareEmitHelpers:()=>kh,compareNumberOfDirectorySeparators:()=>ym,comparePaths:()=>y4,comparePathsCaseInsensitive:()=>pa,comparePathsCaseSensitive:()=>da,comparePatternKeys:()=>XO,compareProperties:()=>Ne,compareStringsCaseInsensitive:()=>he,compareStringsCaseInsensitiveEslintCompatible:()=>ye,compareStringsCaseSensitive:()=>ve,compareStringsCaseSensitiveUI:()=>we,compareTextSpans:()=>fe,compareValues:()=>XC,compilerOptionsAffectDeclarationPath:()=>Nf,compilerOptionsAffectEmit:()=>wf,compilerOptionsAffectSemanticDiagnostics:()=>Cf,compilerOptionsDidYouMeanDiagnostics:()=>n3,compilerOptionsIndicateEsModules:()=>uX,computeCommonSourceDirectoryOfFilenames:()=>eq,computeLineAndCharacterOfPosition:()=>Ha,computeLineOfPosition:()=>Ka,computeLineStarts:()=>qa,computePositionOfLineAndCharacter:()=>Va,computeSignatureWithDiagnostics:()=>tV,computeSuggestionDiagnostics:()=>UZ,computedOptions:()=>pf,concatenate:()=>xC,concatenateDiagnosticMessageChains:()=>yF,consumesNodeCoreModules:()=>KQ,contains:()=>dC,containsIgnoredPath:()=>Um,containsObjectRestOrSpread:()=>bv,containsParseError:()=>O8,containsPath:()=>fa,convertCompilerOptionsForTelemetry:()=>CI,convertCompilerOptionsFromJson:()=>rI,convertJsonOption:()=>_I,convertToBase64:()=>Kd,convertToJson:()=>O3,convertToObject:()=>I3,convertToOptionsWithAbsolutePaths:()=>O9,convertToRelativePath:()=>ha,convertToTSConfig:()=>D9,convertTypeAcquisitionFromJson:()=>nI,copyComments:()=>fQ,copyEntries:()=>E8,copyLeadingComments:()=>hQ,copyProperties:()=>te,copyTrailingAsLeadingComments:()=>vQ,copyTrailingComments:()=>yQ,couldStartTrivia:()=>ro,countWhere:()=>pC,createAbstractBuilder:()=>pV,createAccessorPropertyBackingField:()=>fv,createAccessorPropertyGetRedirector:()=>mv,createAccessorPropertySetRedirector:()=>gv,createBaseNodeFactory:()=>Sg,createBinaryExpressionTrampoline:()=>y9,createBuilderProgram:()=>rV,createBuilderProgramUsingIncrementalBuildInfo:()=>sV,createBuilderStatusReporter:()=>kW,createCacheableExportInfoMap:()=>xY,createCachedDirectoryStructureHost:()=>Bz,createClassifier:()=>IY,createCommentDirectivesMap:()=>El,createCompilerDiagnostic:()=>gF,createCompilerDiagnosticForInvalidCustomType:()=>G6,createCompilerDiagnosticFromMessageChain:()=>Zp,createCompilerHost:()=>tq,createCompilerHostFromProgramHost:()=>rW,createCompilerHostWorker:()=>iq,createDetachedDiagnostic:()=>pF,createDiagnosticCollection:()=>tD,createDiagnosticForFileFromMessageChain:()=>g7,createDiagnosticForNode:()=>$3,createDiagnosticForNodeArray:()=>p7,createDiagnosticForNodeArrayFromMessageChain:()=>m7,createDiagnosticForNodeFromMessageChain:()=>f7,createDiagnosticForNodeInSourceFile:()=>t_,createDiagnosticForRange:()=>i_,createDiagnosticMessageChainFromDiagnostic:()=>h7,createDiagnosticReporter:()=>PV,createDocumentPositionMapper:()=>iB,createDocumentRegistry:()=>aZ,createDocumentRegistryInternal:()=>oZ,createEmitAndSemanticDiagnosticsBuilderProgram:()=>dV,createEmitHelperFactory:()=>Sh,createEmptyExports:()=>l9,createEvaluator:()=>AE,createExpressionForJsxElement:()=>oy,createExpressionForJsxFragment:()=>sy,createExpressionForObjectLiteralElementLike:()=>uy,createExpressionForPropertyName:()=>_y,createExpressionFromEntityName:()=>ly,createExternalHelpersImportDeclarationIfNeeded:()=>ky,createFileDiagnostic:()=>fF,createFileDiagnosticFromMessageChain:()=>n_,createFlowNode:()=>TL,createForOfBindingStatement:()=>cy,createFutureSourceFile:()=>yY,createGetCanonicalFileName:()=>Le,createGetIsolatedDeclarationErrors:()=>UJ,createGetSourceFile:()=>rq,createGetSymbolAccessibilityDiagnosticForNode:()=>qJ,createGetSymbolAccessibilityDiagnosticForNodeName:()=>zJ,createGetSymbolWalker:()=>EM,createIncrementalCompilerHost:()=>dW,createIncrementalProgram:()=>pW,createJsxFactoryExpression:()=>ay,createLanguageService:()=>jie,createLanguageServiceSourceFile:()=>Pie,createMemberAccessForPropertyName:()=>ry,createModeAwareCache:()=>oO,createModeAwareCacheKey:()=>aO,createModeMismatchDetails:()=>I8,createModuleNotFoundChain:()=>A8,createModuleResolutionCache:()=>uO,createModuleResolutionLoader:()=>Aq,createModuleResolutionLoaderUsingGlobalCache:()=>DV,createModuleSpecifierResolutionHost:()=>dX,createMultiMap:()=>VC,createNameResolver:()=>LE,createNodeConverters:()=>Cg,createNodeFactory:()=>Ag,createOptionNameMap:()=>W6,createOverload:()=>Wye,createPackageJsonImportFilter:()=>HQ,createPackageJsonInfo:()=>WQ,createParenthesizerRules:()=>kg,createPatternMatcher:()=>hZ,createPrinter:()=>Lz,createPrinterWithDefaults:()=>Pz,createPrinterWithRemoveComments:()=>Az,createPrinterWithRemoveCommentsNeverAsciiEscape:()=>Iz,createPrinterWithRemoveCommentsOmitTrailingSemicolon:()=>Oz,createProgram:()=>Gq,createProgramDiagnostics:()=>sU,createProgramHost:()=>aW,createPropertyNameNodeForIdentifierOrLiteral:()=>_E,createQueue:()=>ie,createRange:()=>np,createRedirectedBuilderProgram:()=>_V,createResolutionCache:()=>FV,createRuntimeTypeSerializer:()=>fJ,createScanner:()=>N4,createSemanticDiagnosticsBuilderProgram:()=>uV,createSet:()=>ae,createSolutionBuilder:()=>NW,createSolutionBuilderHost:()=>CW,createSolutionBuilderWithWatch:()=>DW,createSolutionBuilderWithWatchHost:()=>wW,createSortedArray:()=>S,createSourceFile:()=>Kv,createSourceMapGenerator:()=>zj,createSourceMapSource:()=>qg,createSuperAccessVariableStatement:()=>yJ,createSymbolTable:()=>C8,createSymlinkCache:()=>Ef,createSyntacticTypeNodeBuilder:()=>fK,createSystemWatchFunctions:()=>Di,createTextChange:()=>Z$,createTextChangeFromStartLength:()=>Y$,createTextChangeRange:()=>$o,createTextRangeFromNode:()=>$$,createTextRangeFromSpan:()=>Q$,createTextSpan:()=>Wo,createTextSpanFromBounds:()=>Ho,createTextSpanFromNode:()=>K$,createTextSpanFromRange:()=>X$,createTextSpanFromStringLiteralLikeContent:()=>G$,createTextWriter:()=>aD,createTokenRange:()=>cp,createTypeChecker:()=>Cj,createTypeReferenceDirectiveResolutionCache:()=>dO,createTypeReferenceResolutionLoader:()=>Lq,createWatchCompilerHost:()=>fW,createWatchCompilerHostOfConfigFile:()=>cW,createWatchCompilerHostOfFilesAndCompilerOptions:()=>lW,createWatchFactory:()=>tW,createWatchHost:()=>ZV,createWatchProgram:()=>mW,createWatchStatusReporter:()=>LV,createWriteFileMeasuringIO:()=>nq,declarationNameToString:()=>c7,decodeMappings:()=>$j,decodedTextSpanIntersectsWith:()=>Jo,deduplicate:()=>kC,defaultHoverMaximumTruncationLength:()=>el,defaultInitCompilerOptions:()=>K6,defaultMaximumTruncationLength:()=>x8,diagnosticCategoryName:()=>Sn,diagnosticToString:()=>uY,diagnosticsEqualityComparer:()=>rf,directoryProbablyExists:()=>Zd,directorySeparator:()=>Ai,displayPart:()=>zX,displayPartsToString:()=>wie,disposeEmitNodes:()=>Vg,documentSpansEqual:()=>PX,dumpTracingLegend:()=>Tr,elementAt:()=>Me,elideNodes:()=>lv,emitDetachedComments:()=>Nd,emitFiles:()=>Nz,emitFilesAndReportErrors:()=>$V,emitFilesAndReportErrorsAndGetExitStatus:()=>XV,emitModuleKindIsNonNodeESM:()=>EF,emitNewLineBeforeLeadingCommentOfPosition:()=>wd,emitResolverSkipsTypeChecking:()=>wz,emitSkippedWithNoDiagnostics:()=>Zq,emptyArray:()=>R3,emptyFileSystemEntries:()=>Em,emptyMap:()=>f,emptyOptions:()=>JK,endsWith:()=>Fe,ensurePathIsNonModuleName:()=>sa,ensureScriptKind:()=>Qf,ensureTrailingDirectorySeparator:()=>oa,entityNameToString:()=>d7,enumerateInsertsAndDeletes:()=>Ve,equalOwnProperties:()=>U,equateStringsCaseInsensitive:()=>ur,equateStringsCaseSensitive:()=>dr,equateValues:()=>$C,escapeJsxAttributeString:()=>Yu,escapeLeadingUnderscores:()=>j4,escapeNonAsciiString:()=>Ku,escapeSnippetText:()=>Wm,escapeString:()=>rD,escapeTemplateSubstitution:()=>Mu,evaluatorResult:()=>PE,every:()=>sC,exclusivelyPrefixedNodeCoreModules:()=>rg,executeCommandLine:()=>VH,expandPreOrPostfixIncrementOrDecrementExpression:()=>dy,explainFiles:()=>UV,explainIfFileIsRedirectAndImpliedFormat:()=>VV,exportAssignmentIsAlias:()=>FN,expressionResultIsUnused:()=>iE,extend:()=>ee,extensionFromPath:()=>Dm,extensionIsTS:()=>Nm,extensionsNotSupportingExtensionlessResolution:()=>cm,externalHelpersModuleNameText:()=>b8,factory:()=>Q3,fileExtensionIs:()=>p4,fileExtensionIsOneOf:()=>f4,fileIncludeReasonToDiagnostics:()=>KV,fileShouldUseJavaScriptRequire:()=>gY,filter:()=>B3,filterMutate:()=>p,filterSemanticDiagnostics:()=>tU,find:()=>cC,findAncestor:()=>H3,findBestPatternMatch:()=>ZC,findChildOfKind:()=>QG,findComputedPropertyNameCacheAssignment:()=>hv,findConfigFile:()=>Yz,findConstructorDeclaration:()=>OE,findContainingList:()=>YG,findDiagnosticForNode:()=>XQ,findFirstNonJsxWhitespaceToken:()=>p$,findIndex:()=>_C,findLast:()=>lC,findLastIndex:()=>uC,findListItemInfo:()=>$G,findModifier:()=>NX,findNextToken:()=>m$,findPackageJson:()=>VQ,findPackageJsons:()=>UQ,findPrecedingMatchingToken:()=>w$,findPrecedingToken:()=>g$,findSuperStatementIndexPath:()=>SB,findTokenOnLeftOfPosition:()=>f$,findUseStrictPrologue:()=>_9,first:()=>AC,firstDefined:()=>oC,firstDefinedIterator:()=>sr,firstIterator:()=>IC,firstOrOnly:()=>tY,firstOrUndefined:()=>EC,firstOrUndefinedIterator:()=>PC,fixupCompilerOptions:()=>lee,flatMap:()=>hC,flatMapIterator:()=>g,flatMapToMutable:()=>y,flatten:()=>gC,flattenCommaList:()=>vv,flattenDestructuringAssignment:()=>JB,flattenDestructuringBinding:()=>UB,flattenDiagnosticMessageText:()=>xq,forEach:()=>j3,forEachAncestor:()=>al,forEachAncestorDirectory:()=>va,forEachAncestorDirectoryStoppingAtGlobalCache:()=>rL,forEachChild:()=>S9,forEachChildRecursively:()=>k9,forEachDynamicImportOrRequireCall:()=>ig,forEachEmittedFile:()=>sz,forEachEnclosingBlockScopeContainer:()=>s7,forEachEntry:()=>D8,forEachExternalModuleToImportFrom:()=>TY,forEachImportClauseDeclaration:()=>Z_,forEachKey:()=>F8,forEachLeadingCommentRange:()=>_o,forEachNameInAccessChainWalkingLeft:()=>zp,forEachNameOfDefaultExport:()=>AY,forEachOptionsSyntaxByName:()=>dg,forEachProjectReference:()=>lg,forEachPropertyAssignment:()=>N_,forEachResolvedProjectReference:()=>cg,forEachReturnStatement:()=>P7,forEachRight:()=>O,forEachTrailingCommentRange:()=>uo,forEachTsConfigPropArray:()=>E_,forEachUnique:()=>IX,forEachYieldExpression:()=>A7,formatColorAndReset:()=>hq,formatDiagnostic:()=>cq,formatDiagnostics:()=>sq,formatDiagnosticsWithColorAndContext:()=>bq,formatGeneratedName:()=>pv,formatGeneratedNamePart:()=>uv,formatLocation:()=>vq,formatMessage:()=>mF,formatStringFromArgs:()=>Gp,formatting:()=>A0e,generateDjb2Hash:()=>$n,generateTSConfig:()=>I9,getAdjustedReferenceLocation:()=>s$,getAdjustedRenameLocation:()=>c$,getAliasDeclarationFromName:()=>NN,getAllAccessorDeclarations:()=>kd,getAllDecoratorsOfClass:()=>FB,getAllDecoratorsOfClassElement:()=>EB,getAllJSDocTags:()=>nw,getAllJSDocTagsOfKind:()=>Rs,getAllKeys:()=>B,getAllProjectOutputs:()=>kz,getAllSuperTypeNodes:()=>pu,getAllowImportingTsExtensions:()=>ff,getAllowJSCompilerOption:()=>bf,getAllowSyntheticDefaultImports:()=>CF,getAncestor:()=>RN,getAnyExtensionFromPath:()=>g4,getAreDeclarationMapsEnabled:()=>vf,getAssignedExpandoInitializer:()=>P5,getAssignedName:()=>us,getAssignmentDeclarationKind:()=>B5,getAssignmentDeclarationPropertyAccessKind:()=>V5,getAssignmentTargetKind:()=>fN,getAutomaticTypeDirectiveNames:()=>QI,getBaseFileName:()=>Hi,getBinaryOperatorPrecedence:()=>Lu,getBuildInfo:()=>Fz,getBuildInfoFileVersionMap:()=>cV,getBuildInfoText:()=>Dz,getBuildOrderFromAnyBuildOrder:()=>SW,getBuilderCreationParameters:()=>ZU,getBuilderFileEmit:()=>wU,getCanonicalDiagnostic:()=>y7,getCheckFlags:()=>tF,getClassExtendsHeritageElement:()=>IN,getClassLikeDeclarationOfSymbol:()=>oF,getCombinedLocalAndExportSymbolFlags:()=>nF,getCombinedModifierFlags:()=>O4,getCombinedNodeFlags:()=>L4,getCombinedNodeFlagsAlwaysIncludeJSDoc:()=>rs,getCommentRange:()=>th,getCommonSourceDirectory:()=>xz,getCommonSourceDirectoryOfConfig:()=>Sz,getCompilerOptionValue:()=>Df,getConditions:()=>$I,getConfigFileParsingDiagnostics:()=>Vq,getConstantValue:()=>oh,getContainerFlags:()=>DM,getContainerNode:()=>LG,getContainingClass:()=>H7,getContainingClassExcludingClassDecorators:()=>$7,getContainingClassStaticBlock:()=>K7,getContainingFunction:()=>W7,getContainingFunctionDeclaration:()=>P_,getContainingFunctionOrClassStaticBlock:()=>G7,getContainingNodeArray:()=>Vm,getContainingObjectLiteralElement:()=>Jie,getContextualTypeFromParent:()=>SQ,getContextualTypeFromParentOrAncestorTypeNode:()=>r$,getDeclarationDiagnostics:()=>VJ,getDeclarationEmitExtensionForPath:()=>_d,getDeclarationEmitOutputFilePath:()=>cd,getDeclarationEmitOutputFilePathWorker:()=>ld,getDeclarationFileExtension:()=>N9,getDeclarationFromName:()=>uu,getDeclarationModifierFlagsFromSymbol:()=>rF,getDeclarationOfKind:()=>k8,getDeclarationsOfKind:()=>T8,getDeclaredExpandoInitializer:()=>E5,getDecorators:()=>H4,getDefaultCompilerOptions:()=>Nie,getDefaultFormatCodeSettings:()=>GK,getDefaultLibFileName:()=>Po,getDefaultLibFilePath:()=>qie,getDefaultLikeExportInfo:()=>EY,getDefaultLikeExportNameFromDeclaration:()=>nY,getDefaultResolutionModeForFileWorker:()=>Yq,getDiagnosticText:()=>_3,getDiagnosticsWithinSpan:()=>QQ,getDirectoryPath:()=>m4,getDirectoryToWatchFailedLookupLocation:()=>SV,getDirectoryToWatchFailedLookupLocationFromTypeRoot:()=>CV,getDocumentPositionMapper:()=>JZ,getDocumentSpansEqualityComparer:()=>AX,getESModuleInterop:()=>TF,getEditsForFileRename:()=>lZ,getEffectiveBaseTypeNode:()=>AN,getEffectiveConstraintOfTypeParameter:()=>ow,getEffectiveContainerForJSDocTemplateTag:()=>sN,getEffectiveImplementsTypeNodes:()=>ON,getEffectiveInitializer:()=>F5,getEffectiveJSDocHost:()=>_N,getEffectiveModifierFlags:()=>ID,getEffectiveModifierFlagsAlwaysIncludeJSDoc:()=>Ad,getEffectiveModifierFlagsNoCache:()=>Rd,getEffectiveReturnTypeNode:()=>hD,getEffectiveSetAccessorTypeAnnotationNode:()=>vD,getEffectiveTypeAnnotationNode:()=>gD,getEffectiveTypeParameterDeclarations:()=>aw,getEffectiveTypeRoots:()=>qI,getElementOrPropertyAccessArgumentExpressionOrName:()=>K_,getElementOrPropertyAccessName:()=>U5,getElementsOfBindingOrAssignmentPattern:()=>Iy,getEmitDeclarations:()=>NF,getEmitFlags:()=>Ml,getEmitHelpers:()=>uh,getEmitModuleDetectionKind:()=>mf,getEmitModuleFormatOfFileWorker:()=>Xq,getEmitModuleKind:()=>xF,getEmitModuleResolutionKind:()=>SF,getEmitScriptTarget:()=>bF,getEmitStandardClassFields:()=>OF,getEnclosingBlockScopeContainer:()=>o7,getEnclosingContainer:()=>a7,getEncodedSemanticClassifications:()=>jY,getEncodedSyntacticClassifications:()=>qY,getEndLinePosition:()=>hl,getEntityNameFromTypeNode:()=>o5,getEntrypointsFromPackageJsonInfo:()=>JO,getErrorCountForSummary:()=>MV,getErrorSpanForNode:()=>x7,getErrorSummaryText:()=>zV,getEscapedTextOfIdentifierOrLiteral:()=>WN,getEscapedTextOfJsxAttributeName:()=>SE,getEscapedTextOfJsxNamespacedName:()=>TE,getExpandoInitializer:()=>A5,getExportAssignmentExpression:()=>EN,getExportInfoMap:()=>FY,getExportNeedsImportStarHelper:()=>_B,getExpressionAssociativity:()=>Fu,getExpressionPrecedence:()=>Pu,getExternalHelpersModuleName:()=>xy,getExternalModuleImportEqualsDeclarationExpression:()=>h5,getExternalModuleName:()=>Q5,getExternalModuleNameFromDeclaration:()=>ad,getExternalModuleNameFromPath:()=>od,getExternalModuleNameLiteral:()=>Cy,getExternalModuleRequireArgument:()=>y5,getFallbackOptions:()=>Xz,getFileEmitOutput:()=>cU,getFileMatcherPatterns:()=>Gf,getFileNamesFromConfigSpecs:()=>hI,getFileWatcherEventKind:()=>ui,getFilesInErrorForSummary:()=>jV,getFirstConstructorWithBody:()=>lD,getFirstIdentifier:()=>VD,getFirstNonSpaceCharacterPosition:()=>dQ,getFirstProjectOutput:()=>Cz,getFixableErrorSpanExpression:()=>ZQ,getFormatCodeSettingsForWriting:()=>dY,getFullWidth:()=>ol,getFunctionFlags:()=>jN,getHeritageClause:()=>fu,getHostSignatureFromJSDoc:()=>lN,getIdentifierAutoGenerate:()=>vh,getIdentifierGeneratedImportReference:()=>WE,getIdentifierTypeArguments:()=>VE,getImmediatelyInvokedFunctionExpression:()=>t5,getImpliedNodeFormatForEmitWorker:()=>Qq,getImpliedNodeFormatForFile:()=>Wq,getImpliedNodeFormatForFileWorker:()=>Hq,getImportNeedsImportDefaultHelper:()=>dB,getImportNeedsImportStarHelper:()=>uB,getIndentString:()=>ed,getInferredLibraryNameResolveFrom:()=>jq,getInitializedVariables:()=>Tp,getInitializerOfBinaryExpression:()=>W5,getInitializerOfBindingOrAssignmentElement:()=>Ny,getInterfaceBaseTypeNodes:()=>LN,getInternalEmitFlags:()=>jl,getInvokedExpression:()=>s5,getIsFileExcluded:()=>DY,getIsolatedModules:()=>kF,getJSDocAugmentsTag:()=>ys,getJSDocClassTag:()=>X4,getJSDocCommentRanges:()=>h_,getJSDocCommentsAndTags:()=>nu,getJSDocDeprecatedTag:()=>Q4,getJSDocDeprecatedTagNoCache:()=>Fs,getJSDocEnumTag:()=>Y4,getJSDocHost:()=>uN,getJSDocImplementsTags:()=>vs,getJSDocOverloadTags:()=>cN,getJSDocOverrideTagNoCache:()=>Ds,getJSDocParameterTags:()=>G4,getJSDocParameterTagsNoCache:()=>ps,getJSDocPrivateTag:()=>Ss,getJSDocPrivateTagNoCache:()=>ks,getJSDocProtectedTag:()=>Ts,getJSDocProtectedTagNoCache:()=>Cs,getJSDocPublicTag:()=>bs,getJSDocPublicTagNoCache:()=>xs,getJSDocReadonlyTag:()=>ws,getJSDocReadonlyTagNoCache:()=>Ns,getJSDocReturnTag:()=>Es,getJSDocReturnType:()=>Is,getJSDocRoot:()=>dN,getJSDocSatisfiesExpressionType:()=>bE,getJSDocSatisfiesTag:()=>As,getJSDocTags:()=>rw,getJSDocTemplateTag:()=>Ps,getJSDocThisTag:()=>Z4,getJSDocType:()=>tw,getJSDocTypeAliasName:()=>Oy,getJSDocTypeAssertionType:()=>p9,getJSDocTypeParameterDeclarations:()=>yD,getJSDocTypeParameterTags:()=>gs,getJSDocTypeParameterTagsNoCache:()=>hs,getJSDocTypeTag:()=>ew,getJSXImplicitImportBase:()=>RF,getJSXRuntimeImport:()=>MF,getJSXTransformEnabled:()=>LF,getKeyForCompilerOptions:()=>eO,getLanguageVariant:()=>of,getLastChild:()=>Rp,getLeadingCommentRanges:()=>go,getLeadingCommentRangesOfNode:()=>g_,getLeftmostAccessExpression:()=>uF,getLeftmostExpression:()=>qp,getLibFileNameFromLibReference:()=>sg,getLibNameFromLibReference:()=>og,getLibraryNameFromLibFileName:()=>Bq,getLineAndCharacterOfPosition:()=>k4,getLineInfo:()=>Wj,getLineOfLocalPosition:()=>vd,getLineStartPositionForPosition:()=>BG,getLineStarts:()=>Wa,getLinesBetweenPositionAndNextNonWhitespaceCharacter:()=>bp,getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter:()=>vp,getLinesBetweenPositions:()=>Ga,getLinesBetweenRangeEndAndRangeStart:()=>fp,getLinesBetweenRangeEndPositions:()=>mp,getLiteralText:()=>Jl,getLocalNameForExternalImport:()=>Ty,getLocalSymbolForExportDefault:()=>Wd,getLocaleSpecificMessage:()=>Qp,getLocaleTimeString:()=>OV,getMappedContextSpan:()=>MX,getMappedDocumentSpan:()=>RX,getMappedLocation:()=>LX,getMatchedFileSpec:()=>WV,getMatchedIncludeSpec:()=>HV,getMeaningFromDeclaration:()=>cG,getMeaningFromLocation:()=>lG,getMembersOfDeclaration:()=>O7,getModeForFileReference:()=>Sq,getModeForResolutionAtIndex:()=>kq,getModeForUsageLocation:()=>Cq,getModifiedTime:()=>ei,getModifiers:()=>K4,getModuleInstanceState:()=>xL,getModuleNameStringLiteralAt:()=>oU,getModuleSpecifierEndingPreference:()=>mm,getModuleSpecifierResolverHost:()=>pX,getNameForExportedSymbol:()=>rY,getNameFromImportAttribute:()=>EE,getNameFromIndexInfo:()=>l7,getNameFromPropertyName:()=>cX,getNameOfAccessExpression:()=>Bp,getNameOfCompilerOptionValue:()=>E9,getNameOfDeclaration:()=>W4,getNameOfExpando:()=>O5,getNameOfJSDocTypedef:()=>ls,getNameOfScriptTarget:()=>Tf,getNameOrArgument:()=>H_,getNameTable:()=>Bie,getNamespaceDeclarationNode:()=>Y5,getNewLineCharacter:()=>rp,getNewLineKind:()=>_Y,getNewLineOrDefaultFromHost:()=>rQ,getNewTargetContainer:()=>Z7,getNextJSDocCommentLocation:()=>au,getNodeChildren:()=>Y1,getNodeForGeneratedName:()=>_v,getNodeId:()=>Sj,getNodeKind:()=>RG,getNodeModifiers:()=>I$,getNodeModulePathParts:()=>Hm,getNonAssignedNameOfDeclaration:()=>_s,getNonAssignmentOperatorForCompoundAssignment:()=>bB,getNonAugmentationDeclaration:()=>t7,getNonDecoratorTokenPosOfNode:()=>Al,getNonIncrementalBuildInfoRoots:()=>lV,getNonModifierTokenPosOfNode:()=>J8,getNormalizedAbsolutePath:()=>h4,getNormalizedAbsolutePathWithoutRoot:()=>na,getNormalizedPathComponents:()=>ea,getObjectFlags:()=>sF,getOperatorAssociativity:()=>Eu,getOperatorPrecedence:()=>Ou,getOptionFromName:()=>a3,getOptionsForLibraryResolution:()=>pO,getOptionsNameMap:()=>H6,getOptionsSyntaxByArrayElementValue:()=>_g,getOptionsSyntaxByValue:()=>ug,getOrCreateEmitNode:()=>Ug,getOrUpdate:()=>vC,getOriginalNode:()=>R4,getOriginalNodeId:()=>oB,getOutputDeclarationFileName:()=>fz,getOutputDeclarationFileNameWorker:()=>mz,getOutputExtension:()=>dz,getOutputFileNames:()=>Tz,getOutputJSFileNameWorker:()=>hz,getOutputPathsFor:()=>_z,getOwnEmitOutputFilePath:()=>sd,getOwnKeys:()=>j,getOwnValues:()=>z,getPackageJsonTypesVersionsPaths:()=>zI,getPackageNameFromTypesPackageName:()=>_L,getPackageScopeForPath:()=>qO,getParameterSymbolFromJSDoc:()=>oN,getParentNodeInSpan:()=>wX,getParseTreeNode:()=>M4,getParsedCommandLineOfConfigFile:()=>u3,getPathComponents:()=>Gi,getPathFromPathComponents:()=>$i,getPathUpdater:()=>_Z,getPathsBasePath:()=>pd,getPatternFromSpec:()=>Wf,getPendingEmitKindWithSeen:()=>jU,getPositionOfLineAndCharacter:()=>Ua,getPossibleGenericSignatures:()=>D$,getPossibleOriginalInputExtensionForExtension:()=>ud,getPossibleOriginalInputPathWithoutChangingExt:()=>dd,getPossibleTypeArgumentsInfo:()=>F$,getPreEmitDiagnostics:()=>oq,getPrecedingNonSpaceCharacterPosition:()=>pQ,getPrivateIdentifier:()=>IB,getProperties:()=>kB,getProperty:()=>A,getPropertyAssignmentAliasLikeExpression:()=>PN,getPropertyNameForPropertyNameNode:()=>qN,getPropertyNameFromType:()=>NE,getPropertyNameOfBindingOrAssignmentElement:()=>Ey,getPropertySymbolFromBindingElement:()=>CX,getPropertySymbolsFromContextualType:()=>zie,getQuoteFromPreference:()=>bX,getQuotePreference:()=>vX,getRangesWhere:()=>L,getRefactorContextSpan:()=>YQ,getReferencedFileLocation:()=>qq,getRegexFromPattern:()=>$f,getRegularExpressionForWildcard:()=>qf,getRegularExpressionsForWildcards:()=>Uf,getRelativePathFromDirectory:()=>v4,getRelativePathFromFile:()=>b4,getRelativePathToDirectoryOrUrl:()=>ya,getRenameLocation:()=>gQ,getReplacementSpanForContextToken:()=>H$,getResolutionDiagnostic:()=>iU,getResolutionModeOverride:()=>Dq,getResolveJsonModule:()=>wF,getResolvePackageJsonExports:()=>gf,getResolvePackageJsonImports:()=>hf,getResolvedExternalModuleName:()=>nd,getResolvedModuleFromResolution:()=>ll,getResolvedTypeReferenceDirectiveFromResolution:()=>_l,getRestIndicatorOfBindingOrAssignmentElement:()=>Fy,getRestParameterElementType:()=>I7,getRightMostAssignedExpression:()=>q_,getRootDeclaration:()=>QN,getRootDirectoryOfResolutionCache:()=>wV,getRootLength:()=>Wi,getScriptKind:()=>lQ,getScriptKindFromFileName:()=>Yf,getScriptTargetFeatures:()=>H8,getSelectedEffectiveModifierFlags:()=>AD,getSelectedSyntacticModifierFlags:()=>Ed,getSemanticClassifications:()=>RY,getSemanticJsxChildren:()=>eD,getSetAccessorTypeAnnotationNode:()=>xd,getSetAccessorValueParameter:()=>_D,getSetExternalModuleIndicator:()=>_f,getShebang:()=>yo,getSingleVariableOfVariableStatement:()=>nN,getSnapshotText:()=>aX,getSnippetElement:()=>ph,getSourceFileOfModule:()=>L8,getSourceFileOfNode:()=>G3,getSourceFilePathInNewDir:()=>md,getSourceFileVersionAsHashFromText:()=>nW,getSourceFilesToEmit:()=>fd,getSourceMapRange:()=>$g,getSourceMapper:()=>BZ,getSourceTextOfNodeFromSourceFile:()=>Il,getSpanOfTokenAtPosition:()=>v7,getSpellingSuggestion:()=>QC,getStartPositionOfLine:()=>ml,getStartPositionOfRange:()=>yp,getStartsOnNewLine:()=>Zg,getStaticPropertiesAndClassStaticBlock:()=>CB,getStrictOptionValue:()=>IF,getStringComparer:()=>be,getSubPatternFromSpec:()=>Hf,getSuperCallFromStatement:()=>xB,getSuperContainer:()=>e5,getSupportedCodeFixes:()=>Die,getSupportedExtensions:()=>lm,getSupportedExtensionsWithJsonIfResolveJsonModule:()=>_m,getSwitchedType:()=>NQ,getSymbolId:()=>kj,getSymbolNameForPrivateIdentifier:()=>HN,getSymbolTarget:()=>_Q,getSyntacticClassifications:()=>zY,getSyntacticModifierFlags:()=>Id,getSyntacticModifierFlagsNoCache:()=>Md,getSynthesizedDeepClone:()=>jE,getSynthesizedDeepCloneWithReplacements:()=>pg,getSynthesizedDeepClones:()=>mg,getSynthesizedDeepClonesWithReplacements:()=>gg,getSyntheticLeadingComments:()=>rh,getSyntheticTrailingComments:()=>nh,getTargetLabel:()=>SG,getTargetOfBindingOrAssignmentElement:()=>Dy,getTemporaryModuleResolutionState:()=>zO,getTextOfConstantValue:()=>zl,getTextOfIdentifierOrLiteral:()=>VN,getTextOfJSDocComment:()=>iw,getTextOfJsxAttributeName:()=>kE,getTextOfJsxNamespacedName:()=>$m,getTextOfNode:()=>V8,getTextOfNodeFromSourceText:()=>Ll,getTextOfPropertyName:()=>u7,getThisContainer:()=>X7,getThisParameter:()=>uD,getTokenAtPosition:()=>u$,getTokenPosOfNode:()=>Pl,getTokenSourceMapRange:()=>Qg,getTouchingPropertyName:()=>l$,getTouchingToken:()=>_$,getTrailingCommentRanges:()=>ho,getTrailingSemicolonDeferringWriter:()=>oD,getTransformers:()=>QJ,getTsBuildInfoEmitOutputFilePath:()=>cz,getTsConfigObjectLiteralExpression:()=>D_,getTsConfigPropArrayElementValue:()=>F_,getTypeAnnotationNode:()=>Td,getTypeArgumentOrTypeParameterList:()=>O$,getTypeKeywordOfTypeOnlyImport:()=>FX,getTypeNode:()=>hh,getTypeNodeIfAccessible:()=>FQ,getTypeParameterFromJsDoc:()=>pN,getTypeParameterOwner:()=>Yo,getTypesPackageName:()=>cL,getUILocale:()=>Te,getUniqueName:()=>mQ,getUniqueSymbolId:()=>uQ,getUseDefineForClassFields:()=>FF,getWatchErrorSummaryDiagnosticMessage:()=>BV,getWatchFactory:()=>$z,group:()=>qC,groupBy:()=>Q,guessIndentation:()=>Qc,handleNoEmitOptions:()=>eU,handleWatchOptionsConfigDirTemplateSubstitution:()=>q9,hasAbstractModifier:()=>ND,hasAccessorModifier:()=>FD,hasAmbientModifier:()=>DD,hasChangesInResolutions:()=>fl,hasContextSensitiveParameters:()=>aE,hasDecorators:()=>PD,hasDocComment:()=>P$,hasDynamicName:()=>JN,hasEffectiveModifier:()=>SD,hasEffectiveModifiers:()=>bD,hasEffectiveReadonlyModifier:()=>ED,hasExtension:()=>d4,hasImplementationTSFileExtension:()=>pm,hasIndexSignature:()=>wQ,hasInferredType:()=>RE,hasInitializer:()=>d8,hasInvalidEscape:()=>Bu,hasJSDocNodes:()=>_8,hasJSDocParameterTags:()=>$4,hasJSFileExtension:()=>um,hasJsonModuleEmitEnabled:()=>PF,hasOnlyExpressionInitializer:()=>p8,hasOverrideModifier:()=>wD,hasPossibleExternalModuleReference:()=>i7,hasProperty:()=>ki,hasPropertyAccessExpressionWithName:()=>kG,hasQuestionToken:()=>Z5,hasRecordedExternalHelpers:()=>Sy,hasResolutionModeOverride:()=>FE,hasRestParameter:()=>h8,hasScopeMarker:()=>$w,hasStaticModifier:()=>CD,hasSyntacticModifier:()=>kD,hasSyntacticModifiers:()=>xD,hasTSFileExtension:()=>dm,hasTabstop:()=>Km,hasTrailingDirectorySeparator:()=>qi,hasType:()=>u8,hasTypeArguments:()=>ou,hasZeroOrOneAsteriskCharacter:()=>Ff,hostGetCanonicalFileName:()=>sD,hostUsesCaseSensitiveFileNames:()=>rd,idText:()=>J4,identifierIsThisKeyword:()=>Sd,identifierToKeywordKind:()=>z4,identity:()=>Ci,identitySourceMapConsumer:()=>aB,ignoreSourceNewlines:()=>mh,ignoredPaths:()=>di,importFromModuleSpecifier:()=>X_,importSyntaxAffectsModuleResolution:()=>uf,indexOfAnyCharCode:()=>d,indexOfNode:()=>W8,indicesOf:()=>SC,inferredTypesContainingFile:()=>Mq,injectClassNamedEvaluationHelperBlockIfMissing:()=>iJ,injectClassThisAssignmentIfMissing:()=>QB,insertImports:()=>DX,insertSorted:()=>J,insertStatementAfterCustomPrologue:()=>Nl,insertStatementAfterStandardPrologue:()=>wl,insertStatementsAfterCustomPrologue:()=>Cl,insertStatementsAfterStandardPrologue:()=>Tl,intersperse:()=>u,intrinsicTagNameToString:()=>CE,introducesArgumentsExoticObject:()=>J7,inverseJsxOptionMap:()=>S6,isAbstractConstructorSymbol:()=>Op,isAbstractModifier:()=>N0,isAccessExpression:()=>_F,isAccessibilityModifier:()=>J$,isAccessor:()=>Ow,isAccessorModifier:()=>XE,isAliasableExpression:()=>DN,isAmbientModule:()=>$8,isAmbientPropertyDeclaration:()=>Hl,isAnyDirectorySeparator:()=>Ri,isAnyImportOrBareOrAccessedRequire:()=>Ql,isAnyImportOrReExport:()=>Zl,isAnyImportOrRequireStatement:()=>Yl,isAnyImportSyntax:()=>Xl,isAnySupportedFileExtension:()=>Fm,isApplicableVersionedTypesKey:()=>ZO,isArgumentExpressionOfElementAccess:()=>EG,isArray:()=>WC,isArrayBindingElement:()=>mc,isArrayBindingOrAssignmentElement:()=>Sc,isArrayBindingOrAssignmentPattern:()=>xc,isArrayBindingPattern:()=>PP,isArrayLiteralExpression:()=>IP,isArrayLiteralOrObjectLiteralDestructuringPattern:()=>q$,isArrayTypeNode:()=>P0,isArrowFunction:()=>qP,isAsExpression:()=>W0,isAssertClause:()=>u1,isAssertEntry:()=>d1,isAssertionExpression:()=>Kw,isAssertsKeyword:()=>k0,isAssignmentDeclaration:()=>D5,isAssignmentExpression:()=>zD,isAssignmentOperator:()=>BD,isAssignmentPattern:()=>Jw,isAssignmentTarget:()=>mN,isAsteriskToken:()=>f0,isAsyncFunction:()=>ku,isAsyncModifier:()=>S0,isAutoAccessorPropertyDeclaration:()=>Lw,isAwaitExpression:()=>VP,isAwaitKeyword:()=>T0,isBigIntLiteral:()=>KE,isBinaryExpression:()=>tC,isBinaryLogicalOperator:()=>RD,isBinaryOperatorToken:()=>Hy,isBindableObjectDefinePropertyCall:()=>J5,isBindableStaticAccessExpression:()=>W_,isBindableStaticElementAccessExpression:()=>z5,isBindableStaticNameExpression:()=>q5,isBindingElement:()=>AP,isBindingElementOfBareOrAccessedRequire:()=>w5,isBindingName:()=>sc,isBindingOrAssignmentElement:()=>hc,isBindingOrAssignmentPattern:()=>yc,isBindingPattern:()=>Bw,isBlock:()=>eA,isBlockLike:()=>hY,isBlockOrCatchScoped:()=>K8,isBlockScope:()=>Kl,isBlockScopedContainerTopLevel:()=>Y8,isBooleanLiteral:()=>Ew,isBreakOrContinueStatement:()=>Us,isBreakStatement:()=>t1,isBuildCommand:()=>UH,isBuildInfoFile:()=>oz,isBuilderProgram:()=>qV,isBundle:()=>C1,isCallChain:()=>cw,isCallExpression:()=>MP,isCallExpressionTarget:()=>uG,isCallLikeExpression:()=>Vw,isCallLikeOrFunctionLikeExpression:()=>Uw,isCallOrNewExpression:()=>Ww,isCallOrNewExpressionTarget:()=>pG,isCallSignatureDeclaration:()=>uP,isCallToHelper:()=>n0,isCaseBlock:()=>l1,isCaseClause:()=>k1,isCaseKeyword:()=>E0,isCaseOrDefaultClause:()=>Hc,isCatchClause:()=>jA,isCatchClauseVariableDeclaration:()=>sE,isCatchClauseVariableDeclarationOrBindingElement:()=>G8,isCheckJsEnabledForFile:()=>zF,isCircularBuildOrder:()=>xW,isClassDeclaration:()=>_A,isClassElement:()=>Aw,isClassExpression:()=>GP,isClassInstanceProperty:()=>Rw,isClassLike:()=>Iw,isClassMemberModifier:()=>oc,isClassNamedEvaluationHelperBlock:()=>tJ,isClassOrTypeElement:()=>pc,isClassStaticBlockDeclaration:()=>sP,isClassThisAssignmentBlock:()=>$B,isColonToken:()=>h0,isCommaExpression:()=>yy,isCommaListExpression:()=>$0,isCommaSequence:()=>u9,isCommaToken:()=>u0,isComment:()=>L$,isCommonJsExportPropertyAssignment:()=>j7,isCommonJsExportedExpression:()=>M7,isCompoundAssignment:()=>vB,isComputedNonLiteralName:()=>_7,isComputedPropertyName:()=>ZE,isConciseBody:()=>Ec,isConditionalExpression:()=>HP,isConditionalTypeNode:()=>TP,isConstAssertion:()=>IE,isConstTypeReference:()=>pw,isConstructSignatureDeclaration:()=>dP,isConstructorDeclaration:()=>cP,isConstructorTypeNode:()=>hP,isContextualKeyword:()=>yu,isContinueStatement:()=>e1,isCustomPrologue:()=>d_,isDebuggerStatement:()=>c1,isDeclaration:()=>r8,isDeclarationBindingElement:()=>gc,isDeclarationFileName:()=>w9,isDeclarationName:()=>CN,isDeclarationNameOfEnumOrNamespace:()=>kp,isDeclarationReadonly:()=>w7,isDeclarationStatement:()=>Bc,isDeclarationWithTypeParameterChildren:()=>$l,isDeclarationWithTypeParameters:()=>Gl,isDecorator:()=>rP,isDecoratorTarget:()=>mG,isDefaultClause:()=>T1,isDefaultImport:()=>Y_,isDefaultModifier:()=>x0,isDefaultedExpandoInitializer:()=>I5,isDeleteExpression:()=>J0,isDeleteTarget:()=>kN,isDeprecatedDeclaration:()=>cY,isDestructuringAssignment:()=>qd,isDiskPathRoot:()=>Bi,isDoStatement:()=>Y0,isDocumentRegistryEntry:()=>iZ,isDotDotDotToken:()=>_0,isDottedName:()=>WD,isDynamicName:()=>zN,isEffectiveExternalModule:()=>r7,isEffectiveStrictModeSourceFile:()=>Wl,isElementAccessChain:()=>Bs,isElementAccessExpression:()=>RP,isEmittedFileOfProgram:()=>Kz,isEmptyArrayLiteral:()=>Vd,isEmptyBindingElement:()=>es,isEmptyBindingPattern:()=>Zo,isEmptyObjectLiteral:()=>Ud,isEmptyStatement:()=>Q0,isEmptyStringLiteral:()=>L_,isEntityName:()=>Cw,isEntityNameExpression:()=>UD,isEnumConst:()=>C7,isEnumDeclaration:()=>pA,isEnumMember:()=>qA,isEqualityOperatorKind:()=>TQ,isEqualsGreaterThanToken:()=>v0,isExclamationToken:()=>m0,isExcludedFile:()=>yI,isExclusivelyTypeOnlyImportOrExport:()=>Tq,isExpandoPropertyDeclaration:()=>DE,isExportAssignment:()=>kA,isExportDeclaration:()=>TA,isExportModifier:()=>b0,isExportName:()=>my,isExportNamespaceAsDefaultDeclaration:()=>Ol,isExportOrDefaultModifier:()=>cv,isExportSpecifier:()=>wA,isExportsIdentifier:()=>R5,isExportsOrModuleExportsOrAlias:()=>NM,isExpression:()=>K3,isExpressionNode:()=>d5,isExpressionOfExternalModuleImportEqualsDeclaration:()=>OG,isExpressionOfOptionalChainRoot:()=>uw,isExpressionStatement:()=>rA,isExpressionWithTypeArguments:()=>XP,isExpressionWithTypeArgumentsInClassExtendsClause:()=>qD,isExternalModule:()=>C9,isExternalModuleAugmentation:()=>e7,isExternalModuleImportEqualsDeclaration:()=>g5,isExternalModuleIndicator:()=>Qw,isExternalModuleNameRelative:()=>D4,isExternalModuleReference:()=>NA,isExternalModuleSymbol:()=>N8,isExternalOrCommonJsModule:()=>k7,isFileLevelReservedGeneratedIdentifier:()=>nc,isFileLevelUniqueName:()=>yl,isFileProbablyExternalModule:()=>Tv,isFirstDeclarationOfSymbolParameter:()=>jX,isFixablePromiseHandler:()=>KZ,isForInOrOfStatement:()=>Yw,isForInStatement:()=>aA,isForInitializer:()=>Ac,isForOfStatement:()=>oA,isForStatement:()=>iA,isFullSourceFile:()=>R_,isFunctionBlock:()=>w_,isFunctionBody:()=>Pc,isFunctionDeclaration:()=>lA,isFunctionExpression:()=>zP,isFunctionExpressionOrArrowFunction:()=>cE,isFunctionLike:()=>Nw,isFunctionLikeDeclaration:()=>Fw,isFunctionLikeKind:()=>lc,isFunctionLikeOrClassStaticBlockDeclaration:()=>Dw,isFunctionOrConstructorTypeNode:()=>fc,isFunctionOrModuleBlock:()=>Pw,isFunctionSymbol:()=>$_,isFunctionTypeNode:()=>gP,isGeneratedIdentifier:()=>xw,isGeneratedPrivateIdentifier:()=>rc,isGetAccessor:()=>l8,isGetAccessorDeclaration:()=>lP,isGetOrSetAccessorDeclaration:()=>sw,isGlobalScopeAugmentation:()=>Z8,isGlobalSourceFile:()=>S7,isGrammarError:()=>vl,isHeritageClause:()=>MA,isHoistedFunction:()=>p_,isHoistedVariableStatement:()=>m_,isIdentifier:()=>eC,isIdentifierANonContextualKeyword:()=>bu,isIdentifierName:()=>du,isIdentifierOrThisTypeNode:()=>jy,isIdentifierPart:()=>bo,isIdentifierStart:()=>vo,isIdentifierText:()=>w4,isIdentifierTypePredicate:()=>U7,isIdentifierTypeReference:()=>ZF,isIfStatement:()=>nA,isIgnoredFileFromWildCardWatching:()=>Hz,isImplicitGlob:()=>Vf,isImportAttribute:()=>p1,isImportAttributeName:()=>tc,isImportAttributes:()=>bA,isImportCall:()=>D7,isImportClause:()=>vA,isImportDeclaration:()=>yA,isImportEqualsDeclaration:()=>hA,isImportKeyword:()=>QE,isImportMeta:()=>__,isImportOrExportSpecifier:()=>hw,isImportOrExportSpecifierName:()=>cQ,isImportSpecifier:()=>SA,isImportTypeAssertionContainer:()=>_1,isImportTypeNode:()=>FP,isImportable:()=>SY,isInComment:()=>E$,isInCompoundLikeAssignment:()=>gN,isInExpressionContext:()=>p5,isInJSDoc:()=>S5,isInJSFile:()=>X3,isInJSXText:()=>T$,isInJsonFile:()=>x5,isInNonReferenceComment:()=>V$,isInReferenceComment:()=>U$,isInRightSideOfInternalImportEqualsDeclaration:()=>_G,isInString:()=>b$,isInTemplateString:()=>k$,isInTopLevelContext:()=>Y7,isInTypeQuery:()=>fD,isIncrementalBuildInfo:()=>KU,isIncrementalBundleEmitBuildInfo:()=>HU,isIncrementalCompilation:()=>yf,isIndexSignatureDeclaration:()=>pP,isIndexedAccessTypeNode:()=>NP,isInferTypeNode:()=>O0,isInfinityOrNaNString:()=>oE,isInitializedProperty:()=>wB,isInitializedVariable:()=>Cp,isInsideJsxElement:()=>C$,isInsideJsxElementOrAttribute:()=>x$,isInsideNodeModules:()=>GQ,isInsideTemplateLiteral:()=>B$,isInstanceOfExpression:()=>YD,isInstantiatedModule:()=>Tj,isInterfaceDeclaration:()=>uA,isInternalDeclaration:()=>Zc,isInternalModuleImportEqualsDeclaration:()=>v5,isInternalName:()=>py,isIntersectionTypeNode:()=>I0,isIntrinsicJsxName:()=>iD,isIterationStatement:()=>Gw,isJSDoc:()=>I1,isJSDocAllType:()=>F1,isJSDocAugmentsTag:()=>ZA,isJSDocAuthorTag:()=>O1,isJSDocCallbackTag:()=>e9,isJSDocClassTag:()=>L1,isJSDocCommentContainingNode:()=>Kc,isJSDocConstructSignature:()=>eN,isJSDocDeprecatedTag:()=>z1,isJSDocEnumTag:()=>U1,isJSDocFunctionType:()=>$A,isJSDocImplementsTag:()=>K1,isJSDocImportTag:()=>c9,isJSDocIndexSignature:()=>k5,isJSDocLikeText:()=>kv,isJSDocLink:()=>w1,isJSDocLinkCode:()=>N1,isJSDocLinkLike:()=>g8,isJSDocLinkPlain:()=>D1,isJSDocMemberName:()=>HA,isJSDocNameReference:()=>WA,isJSDocNamepathType:()=>A1,isJSDocNamespaceBody:()=>Lc,isJSDocNode:()=>s8,isJSDocNonNullableType:()=>GA,isJSDocNullableType:()=>KA,isJSDocOptionalParameter:()=>gE,isJSDocOptionalType:()=>P1,isJSDocOverloadTag:()=>t9,isJSDocOverrideTag:()=>J1,isJSDocParameterTag:()=>r9,isJSDocPrivateTag:()=>M1,isJSDocPropertyLikeTag:()=>fw,isJSDocPropertyTag:()=>o9,isJSDocProtectedTag:()=>j1,isJSDocPublicTag:()=>R1,isJSDocReadonlyTag:()=>B1,isJSDocReturnTag:()=>V1,isJSDocSatisfiesExpression:()=>vE,isJSDocSatisfiesTag:()=>s9,isJSDocSeeTag:()=>q1,isJSDocSignature:()=>YA,isJSDocTag:()=>Gc,isJSDocTemplateTag:()=>i9,isJSDocThisTag:()=>n9,isJSDocThrowsTag:()=>G1,isJSDocTypeAlias:()=>tN,isJSDocTypeAssertion:()=>d9,isJSDocTypeExpression:()=>VA,isJSDocTypeLiteral:()=>QA,isJSDocTypeTag:()=>W1,isJSDocTypedefTag:()=>a9,isJSDocUnknownTag:()=>H1,isJSDocUnknownType:()=>E1,isJSDocVariadicType:()=>XA,isJSXTagName:()=>u5,isJsonEqual:()=>Lm,isJsonSourceFile:()=>T7,isJsxAttribute:()=>IA,isJsxAttributeLike:()=>i8,isJsxAttributeName:()=>Gm,isJsxAttributes:()=>OA,isJsxCallLike:()=>o8,isJsxChild:()=>Vc,isJsxClosingElement:()=>b1,isJsxClosingFragment:()=>x1,isJsxElement:()=>DA,isJsxExpression:()=>S1,isJsxFragment:()=>PA,isJsxNamespacedName:()=>RA,isJsxOpeningElement:()=>EA,isJsxOpeningFragment:()=>AA,isJsxOpeningLikeElement:()=>a8,isJsxOpeningLikeElementTagName:()=>gG,isJsxSelfClosingElement:()=>FA,isJsxSpreadAttribute:()=>LA,isJsxTagNameExpression:()=>Uc,isJsxText:()=>i0,isJumpStatementTarget:()=>TG,isKeyword:()=>mu,isKeywordOrPunctuation:()=>hu,isKnownSymbol:()=>KN,isLabelName:()=>wG,isLabelOfLabeledStatement:()=>CG,isLabeledStatement:()=>a1,isLateVisibilityPaintedStatement:()=>n7,isLeftHandSideExpression:()=>Hw,isLet:()=>l_,isLineBreak:()=>T4,isLiteralComputedPropertyDeclarationName:()=>wN,isLiteralExpression:()=>mw,isLiteralExpressionOfObject:()=>gw,isLiteralImportTypeNode:()=>F7,isLiteralKind:()=>$s,isLiteralNameOfPropertyDeclarationOrIndexAccess:()=>IG,isLiteralTypeLiteral:()=>Dc,isLiteralTypeNode:()=>DP,isLocalName:()=>fy,isLogicalOperator:()=>jd,isLogicalOrCoalescingAssignmentExpression:()=>Jd,isLogicalOrCoalescingAssignmentOperator:()=>Bd,isLogicalOrCoalescingBinaryExpression:()=>jD,isLogicalOrCoalescingBinaryOperator:()=>MD,isMappedTypeNode:()=>R0,isMemberName:()=>Ms,isMetaProperty:()=>YP,isMethodDeclaration:()=>oP,isMethodOrAccessor:()=>_c,isMethodSignature:()=>aP,isMinusToken:()=>p0,isMissingDeclaration:()=>h1,isMissingPackageJsonInfo:()=>ZI,isModifier:()=>Tw,isModifierKind:()=>ic,isModifierLike:()=>uc,isModuleAugmentationExternal:()=>Vl,isModuleBlock:()=>mA,isModuleBody:()=>Ic,isModuleDeclaration:()=>fA,isModuleExportName:()=>g1,isModuleExportsAccessExpression:()=>j5,isModuleIdentifier:()=>M5,isModuleName:()=>zy,isModuleOrEnumDeclaration:()=>Zw,isModuleReference:()=>qc,isModuleSpecifierLike:()=>kX,isModuleWithStringLiteralName:()=>X8,isNameOfFunctionDeclaration:()=>AG,isNameOfModuleDeclaration:()=>PG,isNamedDeclaration:()=>V4,isNamedEvaluation:()=>Nu,isNamedEvaluationSource:()=>GN,isNamedExportBindings:()=>Vs,isNamedExports:()=>CA,isNamedImportBindings:()=>Rc,isNamedImports:()=>m1,isNamedImportsOrExports:()=>Jp,isNamedTupleMember:()=>xP,isNamespaceBody:()=>Oc,isNamespaceExport:()=>xA,isNamespaceExportDeclaration:()=>gA,isNamespaceImport:()=>f1,isNamespaceReexportDeclaration:()=>m5,isNewExpression:()=>jP,isNewExpressionTarget:()=>dG,isNewScopeNode:()=>ag,isNoSubstitutionTemplateLiteral:()=>o0,isNodeArray:()=>Gs,isNodeArrayMultiLine:()=>gp,isNodeDescendantOf:()=>TN,isNodeKind:()=>Ws,isNodeLikeSystem:()=>Ke,isNodeModulesDirectory:()=>ba,isNodeWithPossibleHoistedDeclaration:()=>lu,isNonContextualKeyword:()=>vu,isNonGlobalAmbientModule:()=>Ul,isNonNullAccess:()=>yE,isNonNullChain:()=>qs,isNonNullExpression:()=>QP,isNonStaticMethodOrAccessorWithPrivateName:()=>NB,isNotEmittedStatement:()=>y1,isNullishCoalesce:()=>Js,isNumber:()=>se,isNumericLiteral:()=>HE,isNumericLiteralName:()=>lE,isObjectBindingElementWithoutPropertyName:()=>TX,isObjectBindingOrAssignmentElement:()=>bc,isObjectBindingOrAssignmentPattern:()=>vc,isObjectBindingPattern:()=>EP,isObjectLiteralElement:()=>$c,isObjectLiteralElementLike:()=>Mw,isObjectLiteralExpression:()=>OP,isObjectLiteralMethod:()=>z7,isObjectLiteralOrClassExpressionMethodOrAccessor:()=>q7,isObjectTypeDeclaration:()=>jp,isOmittedExpression:()=>$P,isOptionalChain:()=>lw,isOptionalChainRoot:()=>_w,isOptionalDeclaration:()=>hE,isOptionalJSDocPropertyLikeTag:()=>fE,isOptionalTypeNode:()=>SP,isOuterExpression:()=>vy,isOutermostOptionalChain:()=>dw,isOverrideModifier:()=>D0,isPackageJsonInfo:()=>YI,isPackedArrayLiteral:()=>qm,isParameter:()=>tP,isParameterPropertyDeclaration:()=>A4,isParameterPropertyModifier:()=>ac,isParenthesizedExpression:()=>JP,isParenthesizedTypeNode:()=>CP,isParseTreeNode:()=>os,isPartOfParameterDeclaration:()=>XN,isPartOfTypeNode:()=>E7,isPartOfTypeOnlyImportOrExportDeclaration:()=>bw,isPartOfTypeQuery:()=>f5,isPartiallyEmittedExpression:()=>G0,isPatternMatch:()=>qe,isPinnedComment:()=>Fl,isPlainJsFile:()=>R8,isPlusToken:()=>d0,isPossiblyTypeArgumentPosition:()=>N$,isPostfixUnaryExpression:()=>q0,isPrefixUnaryExpression:()=>WP,isPrimitiveLiteralValue:()=>Zm,isPrivateIdentifier:()=>$E,isPrivateIdentifierClassElementDeclaration:()=>Sw,isPrivateIdentifierPropertyAccessExpression:()=>kw,isPrivateIdentifierSymbol:()=>Cu,isProgramUptoDate:()=>Uq,isPrologueDirective:()=>u_,isPropertyAccessChain:()=>js,isPropertyAccessEntityNameExpression:()=>HD,isPropertyAccessExpression:()=>LP,isPropertyAccessOrQualifiedName:()=>qw,isPropertyAccessOrQualifiedNameOrImportTypeNode:()=>zw,isPropertyAssignment:()=>BA,isPropertyDeclaration:()=>iP,isPropertyName:()=>ww,isPropertyNameLiteral:()=>UN,isPropertySignature:()=>nP,isPrototypeAccess:()=>GD,isPrototypePropertyAssignment:()=>H5,isPunctuation:()=>gu,isPushOrUnshiftIdentifier:()=>$N,isQualifiedName:()=>YE,isQuestionDotToken:()=>y0,isQuestionOrExclamationToken:()=>My,isQuestionOrPlusOrMinusToken:()=>Jy,isQuestionToken:()=>g0,isReadonlyKeyword:()=>C0,isReadonlyKeywordOrPlusOrMinusToken:()=>By,isRecognizedTripleSlashComment:()=>Dl,isReferenceFileLocation:()=>zq,isReferencedFile:()=>Jq,isRegularExpressionLiteral:()=>a0,isRequireCall:()=>T5,isRequireVariableStatement:()=>J_,isRestParameter:()=>y8,isRestTypeNode:()=>kP,isReturnStatement:()=>r1,isReturnStatementWithFixablePromiseHandler:()=>HZ,isRightSideOfAccessExpression:()=>XD,isRightSideOfInstanceofExpression:()=>ZD,isRightSideOfPropertyAccess:()=>FG,isRightSideOfQualifiedName:()=>DG,isRightSideOfQualifiedNameOrPropertyAccess:()=>$D,isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName:()=>QD,isRootedDiskPath:()=>ji,isSameEntityName:()=>L5,isSatisfiesExpression:()=>H0,isSemicolonClassElement:()=>X0,isSetAccessor:()=>c8,isSetAccessorDeclaration:()=>_P,isShiftOperatorOrHigher:()=>qy,isShorthandAmbientModuleSymbol:()=>Q8,isShorthandPropertyAssignment:()=>JA,isSideEffectImport:()=>ME,isSignedNumericLiteral:()=>Tu,isSimpleCopiableExpression:()=>hB,isSimpleInlineableExpression:()=>yB,isSimpleParameterList:()=>MB,isSingleOrDoubleQuote:()=>N5,isSolutionConfig:()=>X9,isSourceElement:()=>Ym,isSourceFile:()=>UA,isSourceFileFromLibrary:()=>fY,isSourceFileJS:()=>b5,isSourceFileNotJson:()=>M_,isSourceMapping:()=>Qj,isSpecialPropertyDeclaration:()=>G_,isSpreadAssignment:()=>zA,isSpreadElement:()=>KP,isStatement:()=>n8,isStatementButNotDeclaration:()=>Jc,isStatementOrBlock:()=>zc,isStatementWithLocals:()=>M8,isStatic:()=>TD,isStaticModifier:()=>w0,isString:()=>HC,isStringANonContextualKeyword:()=>MN,isStringAndEmptyAnonymousObjectIntersection:()=>j$,isStringDoubleQuoted:()=>z_,isStringLiteral:()=>GE,isStringLiteralLike:()=>m8,isStringLiteralOrJsxExpression:()=>Wc,isStringLiteralOrTemplate:()=>CQ,isStringOrNumericLiteralLike:()=>BN,isStringOrRegularExpressionOrTemplateLiteral:()=>R$,isStringTextContainingNode:()=>ec,isSuperCall:()=>N7,isSuperKeyword:()=>F0,isSuperProperty:()=>r5,isSupportedSourceFileName:()=>gm,isSwitchStatement:()=>i1,isSyntaxList:()=>$1,isSyntheticExpression:()=>K0,isSyntheticReference:()=>v1,isTagName:()=>NG,isTaggedTemplateExpression:()=>BP,isTaggedTemplateTag:()=>fG,isTemplateExpression:()=>U0,isTemplateHead:()=>s0,isTemplateLiteral:()=>kc,isTemplateLiteralKind:()=>Xs,isTemplateLiteralToken:()=>Qs,isTemplateLiteralTypeNode:()=>j0,isTemplateLiteralTypeSpan:()=>M0,isTemplateMiddle:()=>c0,isTemplateMiddleOrTemplateTail:()=>Ys,isTemplateSpan:()=>ZP,isTemplateTail:()=>l0,isTextWhiteSpaceLike:()=>OX,isThis:()=>MG,isThisContainerOrFunctionBlock:()=>Q7,isThisIdentifier:()=>pD,isThisInTypeQuery:()=>mD,isThisInitializedDeclaration:()=>i5,isThisInitializedObjectBindingExpression:()=>a5,isThisProperty:()=>n5,isThisTypeNode:()=>L0,isThisTypeParameter:()=>uE,isThisTypePredicate:()=>V7,isThrowStatement:()=>o1,isToken:()=>Ks,isTokenKind:()=>Hs,isTraceEnabled:()=>NI,isTransientSymbol:()=>w8,isTrivia:()=>xu,isTryStatement:()=>s1,isTupleTypeNode:()=>bP,isTypeAlias:()=>rN,isTypeAliasDeclaration:()=>dA,isTypeAssertionExpression:()=>B0,isTypeDeclaration:()=>dE,isTypeElement:()=>dc,isTypeKeyword:()=>tX,isTypeKeywordTokenOrIdentifier:()=>nX,isTypeLiteralNode:()=>vP,isTypeNode:()=>jw,isTypeNodeKind:()=>lF,isTypeOfExpression:()=>UP,isTypeOnlyExportDeclaration:()=>Zs,isTypeOnlyImportDeclaration:()=>yw,isTypeOnlyImportOrExportDeclaration:()=>vw,isTypeOperatorNode:()=>wP,isTypeParameterDeclaration:()=>eP,isTypePredicateNode:()=>fP,isTypeQueryNode:()=>yP,isTypeReferenceNode:()=>mP,isTypeReferenceType:()=>f8,isTypeUsableAsPropertyName:()=>wE,isUMDExportSymbol:()=>cF,isUnaryExpression:()=>Cc,isUnaryExpressionWithWrite:()=>Nc,isUnicodeIdentifierStart:()=>Ra,isUnionTypeNode:()=>A0,isUrl:()=>Mi,isValidBigIntString:()=>QF,isValidESSymbolDeclaration:()=>B7,isValidTypeOnlyAliasUseSite:()=>YF,isValueSignatureDeclaration:()=>hN,isVarAwaitUsing:()=>a_,isVarConst:()=>s_,isVarConstLike:()=>c_,isVarUsing:()=>o_,isVariableDeclaration:()=>sA,isVariableDeclarationInVariableStatement:()=>R7,isVariableDeclarationInitializedToBareOrAccessedRequire:()=>C5,isVariableDeclarationInitializedToRequire:()=>j_,isVariableDeclarationList:()=>cA,isVariableLike:()=>L7,isVariableStatement:()=>tA,isVoidExpression:()=>z0,isWatchSet:()=>wp,isWhileStatement:()=>Z0,isWhiteSpaceLike:()=>$a,isWhiteSpaceSingleLine:()=>Xa,isWithStatement:()=>n1,isWriteAccess:()=>aF,isWriteOnlyAccess:()=>iF,isYieldExpression:()=>V0,jsxModeNeedsExplicitImport:()=>pY,keywordPart:()=>UX,last:()=>LC,lastOrUndefined:()=>OC,length:()=>M3,libMap:()=>T6,libs:()=>k6,lineBreakPart:()=>nQ,loadModuleFromGlobalCache:()=>gL,loadWithModeAwareCache:()=>Rq,makeIdentifierFromModuleName:()=>ql,makeImport:()=>mX,makeStringLiteral:()=>gX,mangleScopedPackageName:()=>lL,map:()=>J3,mapAllOrFail:()=>T,mapDefined:()=>yC,mapDefinedIterator:()=>v,mapEntries:()=>C,mapIterator:()=>k,mapOneOrMany:()=>eY,mapToDisplayParts:()=>iQ,matchFiles:()=>Xf,matchPatternOrExact:()=>Pm,matchedText:()=>Je,matchesExclude:()=>bI,matchesExcludeWorker:()=>xI,maxBy:()=>me,maybeBind:()=>UC,maybeSetLocalizedDiagnosticMessages:()=>Xp,memoize:()=>wi,memoizeOne:()=>Ni,min:()=>ge,minAndMax:()=>UF,missingFileModifiedTime:()=>Zn,modifierToFlag:()=>LD,modifiersToFlags:()=>OD,moduleExportNameIsDefault:()=>U8,moduleExportNameTextEscaped:()=>q8,moduleExportNameTextUnescaped:()=>z8,moduleOptionDeclaration:()=>D6,moduleResolutionIsEqualTo:()=>cl,moduleResolutionNameAndModeGetter:()=>Pq,moduleResolutionOptionDeclarations:()=>O6,moduleResolutionSupportsPackageJsonExportsAndImports:()=>kf,moduleResolutionUsesNodeModules:()=>fX,moduleSpecifierToValidIdentifier:()=>aY,moduleSpecifiers:()=>PM,moduleSupportsImportAttributes:()=>AF,moduleSymbolToValidIdentifier:()=>iY,moveEmitHelpers:()=>dh,moveRangeEnd:()=>ip,moveRangePastDecorators:()=>op,moveRangePastModifiers:()=>sp,moveRangePos:()=>ap,moveSyntheticComments:()=>ah,mutateMap:()=>Ip,mutateMapSkippingNewValues:()=>Ap,needsParentheses:()=>xQ,needsScopeMarker:()=>Xw,newCaseClauseTracker:()=>mY,newPrivateEnvironment:()=>AB,noEmitNotification:()=>rz,noEmitSubstitution:()=>tz,noTransformers:()=>XJ,noTruncationMaximumTruncationLength:()=>S8,nodeCanBeDecorated:()=>c5,nodeCoreModules:()=>ng,nodeHasName:()=>U4,nodeIsDecorated:()=>A_,nodeIsMissing:()=>j8,nodeIsPresent:()=>B8,nodeIsSynthesized:()=>ZN,nodeModuleNameResolver:()=>SO,nodeModulesPathPart:()=>DO,nodeNextJsonConfigResolver:()=>kO,nodeOrChildIsDecorated:()=>I_,nodeOverlapsWithStartEnd:()=>WG,nodePosToString:()=>gl,nodeSeenTracker:()=>iX,nodeStartsNewLexicalEnvironment:()=>YN,noop:()=>cr,noopFileWatcher:()=>QV,normalizePath:()=>ta,normalizeSlashes:()=>Xi,normalizeSpans:()=>Vo,not:()=>i4,notImplemented:()=>ue,notImplementedResolver:()=>Ez,nullNodeConverters:()=>Ng,nullParenthesizerRules:()=>Tg,nullTransformationContext:()=>iz,objectAllocator:()=>dF,operatorPart:()=>WX,optionDeclarations:()=>E6,optionMapToObject:()=>F9,optionsAffectingProgramStructure:()=>R6,optionsForBuild:()=>q6,optionsForWatch:()=>C6,optionsHaveChanges:()=>il,or:()=>n4,orderedRemoveItem:()=>Ae,orderedRemoveItemAt:()=>YC,packageIdToPackageName:()=>ul,packageIdToString:()=>dl,parameterIsThisKeyword:()=>dD,parameterNamePart:()=>HX,parseBaseNodeFactory:()=>xv,parseBigInt:()=>Rm,parseBuildCommand:()=>l3,parseCommandLine:()=>i3,parseCommandLineWorker:()=>e3,parseConfigFileTextToJson:()=>p3,parseConfigFileWithSystem:()=>RV,parseConfigHostFromCompilerHostLike:()=>rU,parseCustomTypeOption:()=>X6,parseIsolatedEntityName:()=>T9,parseIsolatedJSDocComment:()=>Xv,parseJSDocTypeExpressionForTests:()=>Qv,parseJsonConfigFileContent:()=>L9,parseJsonSourceFileConfigFileContent:()=>R9,parseJsonText:()=>Gv,parseListTypeOption:()=>Q6,parseNodeFactory:()=>x9,parseNodeModuleFromPath:()=>EO,parsePackageName:()=>KO,parsePseudoBigInt:()=>GF,parseValidBigInt:()=>XF,pasteEdits:()=>Jye,patchWriteFileEnsuringDirectory:()=>Fi,pathContainsNodeModules:()=>FO,pathIsAbsolute:()=>Ji,pathIsBareSpecifier:()=>zi,pathIsRelative:()=>u4,patternText:()=>Be,performIncrementalCompilation:()=>_W,performance:()=>Ht,positionBelongsToNode:()=>KG,positionIsASICandidate:()=>LQ,positionIsSynthesized:()=>wm,positionsAreOnSameLine:()=>hp,preProcessFile:()=>MZ,probablyUsesSemicolons:()=>RQ,processCommentPragmas:()=>p6,processPragmasIntoFields:()=>f6,processTaggedTemplateExpression:()=>cJ,programContainsEsModules:()=>_X,programContainsModules:()=>lX,projectReferenceIsEqualTo:()=>sl,propertyNamePart:()=>KX,pseudoBigIntToString:()=>$F,punctuationPart:()=>VX,pushIfUnique:()=>NC,quote:()=>kQ,quotePreferenceFromString:()=>yX,rangeContainsPosition:()=>zG,rangeContainsPositionExclusive:()=>qG,rangeContainsRange:()=>xp,rangeContainsRangeExclusive:()=>JG,rangeContainsStartEnd:()=>UG,rangeEndIsOnSameLineAsRangeStart:()=>pp,rangeEndPositionsAreOnSameLine:()=>up,rangeEquals:()=>FC,rangeIsOnSingleLine:()=>lp,rangeOfNode:()=>VF,rangeOfTypeParameters:()=>WF,rangeOverlapsWithStartEnd:()=>VG,rangeStartIsOnSameLineAsRangeEnd:()=>dp,rangeStartPositionsAreOnSameLine:()=>_p,readBuilderProgram:()=>uW,readConfigFile:()=>d3,readJson:()=>Qd,readJsonConfigFile:()=>f3,readJsonOrUndefined:()=>Xd,reduceEachLeadingCommentRange:()=>po,reduceEachTrailingCommentRange:()=>fo,reduceLeft:()=>jC,reduceLeftIterator:()=>m,reducePathComponents:()=>Qi,refactor:()=>lte,regExpEscape:()=>Of,regularExpressionFlagToCharacterCode:()=>Ja,relativeComplement:()=>CC,removeAllComments:()=>Wg,removeEmitHelper:()=>_h,removeExtension:()=>jF,removeFileExtension:()=>bm,removeIgnoredPath:()=>fV,removeMinAndVersionNumbers:()=>Pe,removePrefix:()=>t4,removeSuffix:()=>pr,removeTrailingDirectorySeparator:()=>aa,repeatString:()=>oX,replaceElement:()=>RC,replaceFirstStar:()=>Qm,resolutionExtensionIsTSOrJson:()=>BF,resolveConfigFileProjectName:()=>hW,resolveJSModule:()=>yO,resolveLibrary:()=>fO,resolveModuleName:()=>gO,resolveModuleNameFromCache:()=>mO,resolvePackageNameToPackageJson:()=>XI,resolvePath:()=>Zi,resolveProjectReferencePath:()=>nU,resolveTripleslashReference:()=>Zz,resolveTypeReferenceDirective:()=>KI,resolvingEmptyArray:()=>v8,returnFalse:()=>lr,returnNoopFileWatcher:()=>YV,returnTrue:()=>Ti,returnUndefined:()=>ce,returnsPromise:()=>WZ,rewriteModuleSpecifier:()=>jB,sameFlatMap:()=>xi,sameMap:()=>mC,sameMapping:()=>Xj,scanTokenAtPosition:()=>b7,scanner:()=>oG,semanticDiagnosticsOptionDeclarations:()=>P6,serializeCompilerOptions:()=>P9,server:()=>Vbe,servicesVersion:()=>cie,setCommentRange:()=>BE,setConfigFileInOptions:()=>M9,setConstantValue:()=>sh,setEmitFlags:()=>Z3,setGetSourceFileAsHashVersioned:()=>iW,setIdentifierAutoGenerate:()=>yh,setIdentifierGeneratedImportReference:()=>bh,setIdentifierTypeArguments:()=>UE,setInternalEmitFlags:()=>Kg,setLocalizedDiagnosticMessages:()=>$p,setNodeChildren:()=>Z1,setNodeFlags:()=>rE,setObjectAllocator:()=>Kp,setOriginalNode:()=>Y3,setParent:()=>nE,setParentRecursive:()=>Jm,setPrivateIdentifier:()=>OB,setSnippetElement:()=>fh,setSourceMapRange:()=>Xg,setStackTraceLimit:()=>Xn,setStartsOnNewLine:()=>eh,setSyntheticLeadingComments:()=>JE,setSyntheticTrailingComments:()=>ih,setSys:()=>Pi,setSysLog:()=>mi,setTextRange:()=>rC,setTextRangeEnd:()=>jm,setTextRangePos:()=>Mm,setTextRangePosEnd:()=>tE,setTextRangePosWidth:()=>Bm,setTokenSourceMapRange:()=>Yg,setTypeNode:()=>gh,setUILocale:()=>Ce,setValueDeclaration:()=>K5,shouldAllowImportingTsExtension:()=>mL,shouldPreserveConstEnums:()=>DF,shouldRewriteModuleSpecifier:()=>X5,shouldUseUriStyleNodeCoreModules:()=>lY,showModuleSpecifier:()=>Lp,signatureHasRestParameter:()=>Fj,signatureToDisplayParts:()=>sQ,single:()=>F,singleElementArray:()=>a4,singleIterator:()=>h,singleOrMany:()=>je,singleOrUndefined:()=>Si,skipAlias:()=>Dp,skipConstraint:()=>sX,skipOuterExpressions:()=>f9,skipParentheses:()=>SN,skipPartiallyEmittedExpressions:()=>zs,skipTrivia:()=>C4,skipTypeChecking:()=>HF,skipTypeCheckingIgnoringNoCheck:()=>Im,skipTypeParentheses:()=>xN,skipWhile:()=>He,sliceAfter:()=>Am,some:()=>z3,sortAndDeduplicate:()=>w,sortAndDeduplicateDiagnostics:()=>Fo,sourceFileAffectingCompilerOptions:()=>L6,sourceFileMayBeEmitted:()=>cD,sourceMapCommentRegExp:()=>Uj,sourceMapCommentRegExpDontCareLineStart:()=>qj,spacePart:()=>qX,spanMap:()=>Z,startEndContainsRange:()=>Sp,startEndOverlapsWithStartEnd:()=>HG,startOnNewLine:()=>by,startTracing:()=>kr,startsWith:()=>e4,startsWithDirectory:()=>ma,startsWithUnderscore:()=>sY,startsWithUseStrict:()=>hy,stringContainsAt:()=>oY,stringToToken:()=>ja,stripQuotes:()=>nD,supportedDeclarationExtensions:()=>om,supportedJSExtensionsFlat:()=>nm,supportedLocaleDirectories:()=>is,supportedTSExtensionsFlat:()=>em,supportedTSImplementationExtensions:()=>sm,suppressLeadingAndTrailingTrivia:()=>hg,suppressLeadingTrivia:()=>yg,suppressTrailingTrivia:()=>vg,symbolEscapedNameNoDefault:()=>SX,symbolName:()=>q4,symbolNameNoDefault:()=>xX,symbolToDisplayParts:()=>oQ,sys:()=>Ei,sysLog:()=>fi,tagNamesAreEquivalent:()=>v6,takeWhile:()=>We,targetOptionDeclaration:()=>N6,targetToLibMap:()=>Eo,testFormatSettings:()=>$K,textChangeRangeIsUnchanged:()=>Go,textChangeRangeNewSpan:()=>Ko,textChanges:()=>I,textOrKeywordPart:()=>GX,textPart:()=>$X,textRangeContainsPositionInclusive:()=>P4,textRangeContainsTextSpan:()=>Lo,textRangeIntersectsWithTextSpan:()=>qo,textSpanContainsPosition:()=>E4,textSpanContainsTextRange:()=>Oo,textSpanContainsTextSpan:()=>Io,textSpanEnd:()=>F4,textSpanIntersection:()=>Uo,textSpanIntersectsWith:()=>Bo,textSpanIntersectsWithPosition:()=>zo,textSpanIntersectsWithTextSpan:()=>jo,textSpanIsEmpty:()=>Ao,textSpanOverlap:()=>Mo,textSpanOverlapsWith:()=>Ro,textSpansEqual:()=>EX,textToKeywordObj:()=>ka,timestamp:()=>Wt,toArray:()=>oe,toBuilderFileEmit:()=>aV,toBuilderStateFileInfoForMultiEmit:()=>iV,toEditorSettings:()=>Tie,toFileNameLowerCase:()=>_r,toPath:()=>ia,toProgramEmitPending:()=>oV,toSorted:()=>dn,tokenIsIdentifierOrKeyword:()=>xa,tokenIsIdentifierOrKeywordOrGreaterThan:()=>Sa,tokenToString:()=>S4,trace:()=>wI,tracing:()=>V3,tracingEnabled:()=>Gt,transferSourceFileChildren:()=>ty,transform:()=>Uie,transformClassFields:()=>dJ,transformDeclarations:()=>KJ,transformECMAScriptModule:()=>jJ,transformES2015:()=>IJ,transformES2016:()=>PJ,transformES2017:()=>hJ,transformES2018:()=>vJ,transformES2019:()=>bJ,transformES2020:()=>xJ,transformES2021:()=>SJ,transformESDecorators:()=>gJ,transformESNext:()=>kJ,transformGenerators:()=>OJ,transformImpliedNodeFormatDependentModule:()=>BJ,transformJsx:()=>FJ,transformLegacyDecorators:()=>mJ,transformModule:()=>LJ,transformNamedEvaluation:()=>oJ,transformNodes:()=>nz,transformSystemModule:()=>MJ,transformTypeScript:()=>uJ,transpile:()=>cee,transpileDeclaration:()=>ree,transpileModule:()=>tee,transpileOptionValueCompilerOptions:()=>M6,tryAddToSet:()=>bC,tryAndIgnoreErrors:()=>zQ,tryCast:()=>KC,tryDirectoryExists:()=>JQ,tryExtractTSExtension:()=>eF,tryFileExists:()=>BQ,tryGetClassExtendingExpressionWithTypeArguments:()=>zd,tryGetClassImplementingOrExtendingExpressionWithTypeArguments:()=>JD,tryGetDirectories:()=>MQ,tryGetExtensionFromPath:()=>JF,tryGetImportFromModuleSpecifier:()=>Q_,tryGetJSDocSatisfiesTypeNode:()=>xE,tryGetModuleNameFromFile:()=>wy,tryGetModuleSpecifierFromDeclaration:()=>$5,tryGetNativePerformanceHooks:()=>qt,tryGetPropertyAccessOrIdentifierToString:()=>KD,tryGetPropertyNameOfBindingOrAssignmentElement:()=>Py,tryGetSourceMappingURL:()=>Hj,tryGetTextOfPropertyName:()=>e_,tryParseJson:()=>Yd,tryParsePattern:()=>km,tryParsePatterns:()=>Cm,tryParseRawSourceMap:()=>Gj,tryReadDirectory:()=>jQ,tryReadFile:()=>m3,tryRemoveDirectoryPrefix:()=>Af,tryRemoveExtension:()=>xm,tryRemovePrefix:()=>ze,tryRemoveSuffix:()=>Ee,tscBuildOption:()=>z6,typeAcquisitionDeclarations:()=>V6,typeAliasNamePart:()=>XX,typeDirectiveIsEqualTo:()=>pl,typeKeywords:()=>eX,typeParameterNamePart:()=>QX,typeToDisplayParts:()=>aQ,unchangedPollThresholds:()=>ii,unchangedTextChangeRange:()=>Xo,unescapeLeadingUnderscores:()=>B4,unmangleScopedPackageName:()=>uL,unorderedRemoveItem:()=>Oe,unprefixedNodeCoreModules:()=>tg,unreachableCodeIsError:()=>xf,unsetNodeChildren:()=>ey,unusedLabelIsError:()=>Sf,unwrapInnermostStatementOfLabel:()=>C_,unwrapParenthesizedExpression:()=>eg,updateErrorForNoInputFiles:()=>Y9,updateLanguageServiceSourceFile:()=>Aie,updateMissingFilePathsWatch:()=>Vz,updateResolutionField:()=>RI,updateSharedExtendedConfigFileWatcher:()=>zz,updateSourceFile:()=>$v,updateWatchingWildcardDirectories:()=>Wz,usingSingleLineStringWriter:()=>P8,utf16EncodeAsString:()=>To,validateLocaleAndSetLanguage:()=>as,version:()=>M,versionMajorMinor:()=>or,visitArray:()=>Aj,visitCommaListElements:()=>jj,visitEachChild:()=>aC,visitFunctionBody:()=>Rj,visitIterationBody:()=>Mj,visitLexicalEnvironment:()=>Oj,visitNode:()=>nC,visitNodes:()=>iC,visitParameterList:()=>Lj,walkUpBindingElementsAndPatterns:()=>I4,walkUpOuterExpressions:()=>m9,walkUpParenthesizedExpressions:()=>vN,walkUpParenthesizedTypes:()=>yN,walkUpParenthesizedTypesAndGetParentAndChild:()=>bN,whitespaceOrMapCommentRegExp:()=>Vj,writeCommentRange:()=>Dd,writeFile:()=>hd,writeFileEnsuringDirectories:()=>yd,zipWith:()=>_}),e.exports=o,"5.9"),M="5.9.3",l=((e=l||{})[e.LessThan=-1]="LessThan",e[e.EqualTo=0]="EqualTo",e[e.GreaterThan=1]="GreaterThan",e),R3=[],f=new Map;function M3(e){return void 0!==e?e.length:0}function j3(t,r){if(void 0!==t)for(let e=0;e<t.length;e++){var n=r(t[e],e);if(n)return n}}function O(t,r){if(void 0!==t)for(let e=t.length-1;0<=e;e--){var n=r(t[e],e);if(n)return n}}function oC(t,r){if(void 0!==t)for(let e=0;e<t.length;e++){var n=r(t[e],e);if(void 0!==n)return n}}function sr(e,t){for(var r of e){r=t(r);if(void 0!==r)return r}}function m(t,r,e){let n=e;if(t){let e=0;for(var i of t)n=r(n,i,e),e++}return n}function _(t,r,n){var i=[];U3.assertEqual(t.length,r.length);for(let e=0;e<t.length;e++)i.push(n(t[e],r[e],e));return i}function u(r,n){if(r.length<=1)return r;var i=[];for(let e=0,t=r.length;e<t;e++)0!==e&&i.push(n),i.push(r[e]);return i}function sC(t,r){if(void 0!==t)for(let e=0;e<t.length;e++)if(!r(t[e],e))return!1;return!0}function cC(t,r,n){if(void 0!==t)for(let e=n??0;e<t.length;e++){var i=t[e];if(r(i,e))return i}}function lC(t,r,n){if(void 0!==t)for(let e=n??t.length-1;0<=e;e--){var i=t[e];if(r(i,e))return i}}function _C(t,r,n){if(void 0!==t)for(let e=n??0;e<t.length;e++)if(r(t[e],e))return e;return-1}function uC(t,r,n){if(void 0!==t)for(let e=n??t.length-1;0<=e;e--)if(r(t[e],e))return e;return-1}function dC(t,r,n=$C){if(void 0!==t)for(let e=0;e<t.length;e++)if(n(t[e],r))return!0;return!1}function d(t,r,n){for(let e=n??0;e<t.length;e++)if(dC(r,t.charCodeAt(e)))return e;return-1}function pC(t,r){let n=0;if(void 0!==t)for(let e=0;e<t.length;e++)r(t[e],e)&&n++;return n}function B3(t,r){if(void 0!==t){var n=t.length;let e=0;for(;e<n&&r(t[e]);)e++;if(e<n){var i=t.slice(0,e);for(e++;e<n;){var a=t[e];r(a)&&i.push(a),e++}return i}}return t}function p(t,r){let n=0;for(let e=0;e<t.length;e++)r(t[e],e,t)&&(t[n]=t[e],n++);t.length=n}function fC(e){e.length=0}function J3(t,r){let n;if(void 0!==t){n=[];for(let e=0;e<t.length;e++)n.push(r(t[e],e))}return n}function*k(e,t){for(var r of e)yield t(r)}function mC(t,r){if(void 0!==t)for(let e=0;e<t.length;e++){var n=t[e],i=r(n,e);if(n!==i){var a=t.slice(0,e);for(a.push(i),e++;e<t.length;e++)a.push(r(t[e],e));return a}}return t}function gC(t){var r=[];for(let e=0;e<t.length;e++){var n=t[e];n&&(WC(n)?wC(r,n):r.push(n))}return r}function hC(t,r){let n;if(void 0!==t)for(let e=0;e<t.length;e++){var i=r(t[e],e);i&&(n=(WC(i)?wC:q3)(n,i))}return n??R3}function y(t,r){var n=[];if(void 0!==t)for(let e=0;e<t.length;e++){var i=r(t[e],e);i&&(WC(i)?wC(n,i):n.push(i))}return n}function*g(e,t){for(var r of e){r=t(r);r&&(yield*r)}}function xi(t,r){let n;if(void 0!==t)for(let e=0;e<t.length;e++){var i=t[e],a=r(i,e);(n||i!==a||WC(a))&&(n=n||t.slice(0,e),WC(a)?wC(n,a):n.push(a))}return n??t}function T(t,r){var n=[];for(let e=0;e<t.length;e++){var i=r(t[e],e);if(void 0===i)return;n.push(i)}return n}function yC(t,r){var n=[];if(void 0!==t)for(let e=0;e<t.length;e++){var i=r(t[e],e);void 0!==i&&n.push(i)}return n}function*v(e,t){for(var r of e){r=t(r);void 0!==r&&(yield r)}}function vC(e,t,r){return e.has(t)?e.get(t):(r=r(),e.set(t,r),r)}function bC(e,t){return!e.has(t)&&(e.add(t),!0)}function*h(e){yield e}function Z(i,a,o){let s;if(void 0!==i){s=[];var c,l=i.length;let e,t,r=0,n=0;for(;r<l;){for(;n<l;){var _=i[n];if(t=a(_,n),0===n)e=t;else if(t!==e)break;n++}r<n&&((c=o(i.slice(r,n),e,r,n))&&s.push(c),r=n),e=t,n++}}return s}function C(e,n){if(void 0!==e){let r=new Map;return e.forEach((e,t)=>{var[t,e]=n(t,e);r.set(t,e)}),r}}function z3(t,r){if(void 0!==t){if(void 0===r)return 0<t.length;for(let e=0;e<t.length;e++)if(r(t[e]))return!0}return!1}function L(t,r,n){let i;for(let e=0;e<t.length;e++)r(t[e])?i=void 0===i?e:i:void 0!==i&&(n(i,e),i=void 0);void 0!==i&&n(i,t.length)}function xC(e,t){return void 0===t||0===t.length?e:void 0===e||0===e.length?t:[...e,...t]}function b(e,t){return t}function SC(e){return e.map(b)}function x(t,r,e){var n,i,a=SC(t);n=t,i=e,a.sort((e,t)=>i(n[e],n[t])||XC(e,t));let o=t[a[0]];var s=[a[0]];for(let e=1;e<a.length;e++){var c=a[e],l=t[c];r(o,l)||(s.push(c),o=l)}return s.sort(),s.map(e=>t[e])}function kC(e,t,r){{if(0===e.length)return[];if(1===e.length)return e.slice();if(r)return x(e,t,r);var n=e,i=t,a=[];for(let e=0;e<n.length;e++)NC(a,n[e],i);return a}}function S(){return[]}function J(e,t,r,n,i){if(0===e.length)return e.push(t),!0;r=MC(e,t,Ci,r);if(r<0){if(n&&!i){var a=~r;if(0<a&&n(t,e[a-1]))return!1;if(a<e.length&&n(t,e[a]))return e.splice(a,1,t),!0}return e.splice(~r,0,t),!0}return!!i&&(e.splice(r,0,t),!0)}function w(e,r,n){{var i=dn(e,r),a=n??r??ve;if(0===i.length)return R3;let t=i[0];var o=[t];for(let e=1;e<i.length;e++){var s=i[e];switch(a(s,t)){case!0:case 0:continue;case-1:return U3.fail("Array is unsorted.")}o.push(t=s)}return o}}function TC(t,r,n=$C){if(void 0===t||void 0===r)return t===r;if(t.length!==r.length)return!1;for(let e=0;e<t.length;e++)if(!n(t[e],r[e],e))return!1;return!0}function Re(t){let r;if(void 0!==t)for(let e=0;e<t.length;e++){var n=t[e];(r??!n)&&(r=r??t.slice(0,e),n)&&r.push(n)}return r??t}function CC(r,n,i){if(!n||!r||0===n.length||0===r.length)return n;var a=[];e:for(let e=0,t=0;t<n.length;t++){0<t&&U3.assertGreaterThanOrEqual(i(n[t],n[t-1]),0);for(var o=e;e<r.length;e++)switch(e>o&&U3.assertGreaterThanOrEqual(i(r[e],r[e-1]),0),i(n[t],r[e])){case-1:a.push(n[t]);continue e;case 0:continue e;case 1:continue}}return a}function q3(e,t){if(void 0!==t){if(void 0===e)return[t];e.push(t)}return e}function R(e,t){return void 0===e?t:void 0===t?e:WC(e)?(WC(t)?xC:q3)(e,t):WC(t)?q3(t,e):[e,t]}function N(e,t){return t<0?e.length+t:t}function wC(t,r,n,i){if(void 0!==r&&0!==r.length){if(void 0===t)return r.slice(n,i);n=void 0===n?0:N(r,n),i=void 0===i?r.length:N(r,i);for(let e=n;e<i&&e<r.length;e++)void 0!==r[e]&&t.push(r[e])}return t}function NC(e,t,r){return!dC(e,t,r)&&(e.push(t),!0)}function DC(e,t,r){return void 0!==e?(NC(e,t,r),e):[t]}function dn(e,t){return 0===e.length?R3:e.slice().sort(t)}function*D(t){for(let e=t.length-1;0<=e;e--)yield t[e]}function FC(e,t,r,n){for(;r<n;){if(e[r]!==t[r])return!1;r++}return!0}var Me=Array.prototype.at?(e,t)=>null==e?void 0:e.at(t):(e,t)=>{if(void 0!==e&&(t=N(e,t))<e.length)return e[t]};function EC(e){return void 0===e||0===e.length?void 0:e[0]}function PC(e){if(void 0!==e)for(var t of e)return t}function AC(e){return U3.assert(0!==e.length),e[0]}function IC(e){for(var t of e)return t;U3.fail("iterator is empty")}function OC(e){return void 0===e||0===e.length?void 0:e[e.length-1]}function LC(e){return U3.assert(0!==e.length),e[e.length-1]}function Si(e){return void 0!==e&&1===e.length?e[0]:void 0}function F(e){return U3.checkDefined(Si(e))}function je(e){return void 0!==e&&1===e.length?e[0]:e}function RC(e,t,r){e=e.slice(0);return e[t]=r,e}function MC(e,t,r,n,i){return E(e,r(t),r,n,i)}function E(e,t,r,n,i){if(!z3(e))return-1;let a=i??0,o=e.length-1;for(;a<=o;){var s=a+(o-a>>1);switch(n(r(e[s],s),t)){case-1:a=s+1;break;case 0:return s;case 1:o=s-1}}return~a}function jC(r,n,i,a,o){if(r&&0<r.length){var s=r.length;if(0<s){let e=void 0===a||a<0?0:a;var c=void 0===o||e+o>s-1?s-1:e+o;let t;for(arguments.length<=2?(t=r[e],e++):t=i;e<=c;)t=n(t,r[e],e),e++;return t}}return i}var P=Object.prototype.hasOwnProperty;function ki(e,t){return P.call(e,t)}function A(e,t){return P.call(e,t)?e[t]:void 0}function j(e){var t,r=[];for(t in e)P.call(e,t)&&r.push(t);return r}function B(e){var t,r=[];do{for(t of Object.getOwnPropertyNames(e))NC(r,t)}while(e=Object.getPrototypeOf(e));return r}function z(e){var t,r=[];for(t in e)P.call(e,t)&&r.push(e[t]);return r}function BC(t,r){var n=new Array(t);for(let e=0;e<t;e++)n[e]=r(e);return n}function JC(e,t){var r,n=[];for(r of e)n.push(t?t(r):r);return n}function q(e,...t){for(var r of t)if(void 0!==r)for(var n in r)ki(r,n)&&(e[n]=r[n]);return e}function U(e,t,r=$C){if(e!==t){if(!e||!t)return!1;for(var n in e)if(P.call(e,n)){if(!P.call(t,n))return!1;if(!r(e[n],t[n]))return!1}for(var i in t)if(P.call(t,i)&&!P.call(e,i))return!1}return!0}function $(t,r,n=Ci){var i=new Map;for(let e=0;e<t.length;e++){var a=t[e],o=r(a);void 0!==o&&i.set(o,n(a))}return i}function X(t,r,n=Ci){var i=[];for(let e=0;e<t.length;e++){var a=t[e];i[r(a)]=n(a)}return i}function zC(t,r,n=Ci){var i=VC();for(let e=0;e<t.length;e++){var a=t[e];i.add(r(a),n(a))}return i}function qC(e,t,r=Ci){return JC(zC(e,t).values(),r)}function Q(t,r){var n={};if(void 0!==t)for(let e=0;e<t.length;e++){var i=t[e],a=""+r(i);(n[a]??(n[a]=[])).push(i)}return n}function Y(e){var t,r={};for(t in e)P.call(e,t)&&(r[t]=e[t]);return r}function ee(e,t){var r,n,i={};for(r in t)P.call(t,r)&&(i[r]=t[r]);for(n in e)P.call(e,n)&&(i[n]=e[n]);return i}function te(e,t){for(var r in t)P.call(t,r)&&(e[r]=t[r])}function UC(e,t){return null==t?void 0:t.bind(e)}function VC(){var e=new Map;return e.add=re,e.remove=ne,e}function re(e,t){let r=this.get(e);return void 0!==r?r.push(t):this.set(e,r=[t]),r}function ne(e,t){var r=this.get(e);void 0!==r&&(Oe(r,t),r.length||this.delete(e))}function ie(e){let r=(null==e?void 0:e.slice())??[],n=0;function i(){return n===r.length}return{enqueue:function(...e){r.push(...e)},dequeue:function(){if(i())throw new Error("Queue is empty");var e,t=r[n];return r[n]=void 0,100<++n&&n>r.length>>1&&(e=r.length-n,r.copyWithin(0,n),r.length=e,n=0),t},isEmpty:i}}function ae(i,a){let o=new Map,s=0;function*t(){for(var e of o.values())WC(e)?yield*e:yield e}let n={has(e){var t=i(e);return!!o.has(t)&&(WC(t=o.get(t))?dC(t,e,a):a(t,e))},add(e){var t,r=i(e);return o.has(r)?WC(t=o.get(r))?dC(t,e,a)||(t.push(e),s++):a(t=t,e)||(o.set(r,[t,e]),s++):(o.set(r,e),s++),this},delete(t){var r=i(t);if(o.has(r)){var n=o.get(r);if(WC(n)){for(let e=0;e<n.length;e++)if(a(n[e],t))return 1===n.length?o.delete(r):2===n.length?o.set(r,n[1-e]):Ie(n,e),s--,!0}else if(a(n,t))return o.delete(r),s--,!0}return!1},clear(){o.clear(),s=0},get size(){return s},forEach(e){for(var t of JC(o.values()))if(WC(t))for(var r of t)e(r,r,n);else e(t,t,n)},keys(){return t()},values(){return t()},*entries(){for(var e of t())yield[e,e]},[Symbol.iterator]:()=>t(),[Symbol.toStringTag]:o[Symbol.toStringTag]};return n}function WC(e){return Array.isArray(e)}function oe(e){return WC(e)?e:[e]}function HC(e){return"string"==typeof e}function se(e){return"number"==typeof e}function KC(e,t){return void 0!==e&&t(e)?e:void 0}function GC(e,t){return void 0!==e&&t(e)?e:U3.fail(`Invalid cast. The supplied value ${e} did not pass the test '${U3.getFunctionName(t)}'.`)}function cr(e){}function lr(){return!1}function Ti(){return!0}function ce(){}function Ci(e){return e}function le(e){return e.toLowerCase()}var _e=/[^\u0130\u0131\u00DFa-z0-9\\/:\-_. ]+/g;function _r(e){return _e.test(e)?e.replace(_e,le):e}function ue(){throw new Error("Not implemented")}function wi(e){let t;return()=>(e&&(t=e(),e=void 0),t)}function Ni(n){let i=new Map;return e=>{var t=typeof e+":"+e;let r=i.get(t);return void 0!==r||i.has(t)||(r=n(e),i.set(t,r)),r}}(o=de||{})[o.None=0]="None",o[o.Normal=1]="Normal",o[o.Aggressive=2]="Aggressive",o[o.VeryAggressive=3]="VeryAggressive";var de=o;function $C(e,t){return e===t}function ur(e,t){return e===t||void 0!==e&&void 0!==t&&e.toUpperCase()===t.toUpperCase()}function dr(e,t){return e===t}function pe(e,t){return e===t?0:void 0===e||void 0!==t&&e<t?-1:1}function XC(e,t){return pe(e,t)}function fe(e,t){return XC(null==e?void 0:e.start,null==t?void 0:t.start)||XC(null==e?void 0:e.length,null==t?void 0:t.length)}function me(t,r,n){for(let e=0;e<t.length;e++)r=Math.max(r,n(t[e]));return r}function ge(e,r){return jC(e,(e,t)=>-1===r(e,t)?e:t)}function he(e,t){return e===t?0:void 0===e?-1:void 0===t?1:(e=e.toUpperCase())<(t=t.toUpperCase())?-1:t<e?1:0}function ye(e,t){return e===t?0:void 0===e?-1:void 0===t?1:(e=e.toLowerCase())<(t=t.toLowerCase())?-1:t<e?1:0}function ve(e,t){return pe(e,t)}function be(e){return e?he:ve}var xe,Se,ke=function(e){let n=new Intl.Collator(e,{usage:"sort",sensitivity:"variant",numeric:!0}).compare;return(e,t)=>{var r=n;return e===t?0:void 0===e?-1:void 0===t?1:(r=r(e,t))<0?-1:0<r?1:0}};function Te(){return Se}function Ce(e){Se!==e&&(Se=e,xe=void 0)}function we(e,t){return(xe=xe??ke(Se))(e,t)}function Ne(e,t,r,n){return e===t?0:void 0===e?-1:void 0===t?1:n(e[r],t[r])}function De(e,t){return XC(e?1:0,t?1:0)}function QC(e,t,r){var n,i=Math.max(2,Math.floor(.34*e.length));let a=Math.floor(.4*e.length)+1,o;for(n of t){var s=r(n);void 0!==s&&Math.abs(s.length-e.length)<=i&&(s===e||s.length<3&&s.toLowerCase()!==e.toLowerCase()||void 0!==(s=((n,i,e)=>{let a=new Array(i.length+1),o=new Array(i.length+1),s=e+.01;for(let e=0;e<=i.length;e++)a[e]=e;for(let r=1;r<=n.length;r++){var c=n.charCodeAt(r-1),l=Math.ceil(r>e?r-e:1),_=Math.floor(i.length>e+r?e+r:i.length);let t=o[0]=r;for(let e=1;e<l;e++)o[e]=s;for(let e=l;e<=_;e++){var u=n[r-1].toLowerCase()===i[e-1].toLowerCase()?a[e-1]+.1:a[e-1]+2,u=c===i.charCodeAt(e-1)?a[e-1]:Math.min(a[e]+1,o[e-1]+1,u);o[e]=u,t=Math.min(t,u)}for(let e=_+1;e<=i.length;e++)o[e]=s;if(t>e)return;var d=a;a=o,o=d}var t=a[i.length];return e<t?void 0:t})(e,s,a-.1))&&(U3.assert(s<a),a=s,o=n))}return o}function Fe(e,t,r){var n=e.length-t.length;return 0<=n&&(r?ur(e.slice(n),t):e.indexOf(t,n)===n)}function pr(e,t){return Fe(e,t)?e.slice(0,e.length-t.length):e}function Ee(e,t){return Fe(e,t)?e.slice(0,e.length-t.length):void 0}function Pe(r){let n=r.length;for(let t=n-1;0<t;t--){let e=r.charCodeAt(t);if(48<=e&&e<=57)for(;--t,e=r.charCodeAt(t),0<t&&48<=e&&e<=57;);else{if(!(4<t)||110!==e&&78!==e)break;if(--t,105!==(e=r.charCodeAt(t))&&73!==e)break;if(--t,109!==(e=r.charCodeAt(t))&&77!==e)break;--t,e=r.charCodeAt(t)}if(45!==e&&46!==e)break;n=t}return n===r.length?r:r.slice(0,n)}function Ae(t,r){for(let e=0;e<t.length;e++)if(t[e]===r)return YC(t,e),!0;return!1}function YC(t,r){for(let e=r;e<t.length-1;e++)t[e]=t[e+1];t.pop()}function Ie(e,t){e[t]=e[e.length-1],e.pop()}function Oe(e,t){var r=e,n=e=>e===t;for(let e=0;e<r.length;e++)if(n(r[e]))return Ie(r,e),!0;return!1}function Le(e){return e?Ci:_r}function Be({prefix:e,suffix:t}){return e+"*"+t}function Je(e,t){return U3.assert(qe(e,t)),t.substring(e.prefix.length,t.length-e.suffix.length)}function ZC(t,r,n){let i,a=-1;for(let e=0;e<t.length;e++){var o=t[e],s=r(o);s.prefix.length>a&&qe(s,n)&&(a=s.prefix.length,i=o)}return i}function e4(e,t,r){return r?ur(e.slice(0,t.length),t):0===e.lastIndexOf(t,0)}function t4(e,t){return e4(e,t)?e.substr(t.length):e}function ze(e,t,r=Ci){return e4(r(e),r(t))?e.substring(t.length):void 0}function qe({prefix:e,suffix:t},r){return r.length>=e.length+t.length&&e4(r,e)&&Fe(r,t)}function r4(t,r){return e=>t(e)&&r(e)}function n4(...n){return(...e)=>{let t;for(var r of n)if(t=r(...e))return t;return t}}function i4(t){return(...e)=>!t(...e)}function Ue(e){}function a4(e){return void 0===e?void 0:[e]}function Ve(e,t,r,n,i,a){a=a??cr;let o=0,s=0;var c=e.length,l=t.length;let _=!1;for(;o<c&&s<l;){var u=e[o],d=t[s],p=r(u,d);-1===p?(n(u),o++,_=!0):1===p?(i(d),s++,_=!0):(a(d,u),o++,s++)}for(;o<c;)n(e[o++]),_=!0;for(;s<l;)i(t[s++]),_=!0;return _}function o4(e){var t=[];return function t(r,n,i,a){for(var o of r[a]){let e;i?(e=i.slice()).push(o):e=[o],a===r.length-1?n.push(e):t(r,n,e,a+1)}}(e,t,void 0,0),t}function We(t,r){if(void 0!==t){var n=t.length;let e=0;for(;e<n&&r(t[e]);)e++;return t.slice(0,e)}}function He(t,r){if(void 0!==t){var n=t.length;let e=0;for(;e<n&&r(t[e]);)e++;return t.slice(e)}}function Ke(){return"undefined"!=typeof process&&!!process.nextTick&&!process.browser&&void 0!==commonjsRequire}(e=Ge||{})[e.Off=0]="Off",e[e.Error=1]="Error",e[e.Warning=2]="Warning",e[e.Info=3]="Info",e[e.Verbose=4]="Verbose";var U3,Ge=e;{var $e=U3=U3||{};let n=0;function Xe(e){return $e.currentLogLevel<=e}function Qe(e,t){$e.loggingHost&&Xe(e)&&$e.loggingHost.log(e,t)}function Ye(e){Qe(3,e)}$e.currentLogLevel=2,$e.isDebugging=!1,$e.shouldLog=Xe,$e.log=Ye,(o=$e.log||($e.log={})).error=function(e){Qe(1,e)},o.warn=function(e){Qe(2,e)},o.log=function(e){Qe(3,e)},o.trace=function(e){Qe(4,e)};let i={};function Ze(e){return n>=e}function et(e,t){if(Ze(e))return 1;i[t]={level:e,assertion:$e[t]},$e[t]=cr}function tt(e,t){e=new Error(e?"Debug Failure. "+e:"Debug Failure.");throw Error.captureStackTrace&&Error.captureStackTrace(e,t||tt),e}function rt(e,t,r,n){e||(t=t?"False expression: "+t:"False expression.",r&&(t+="\r\nVerbose Debug Information: "+("string"==typeof r?r:r())),tt(t,n||rt))}function nt(e,t,r){null==e&&tt(t,r||nt)}function it(e,t,r){for(var n of e)nt(n,t,r||it)}function at(e,t="Illegal value:",r){return tt(t+" "+("object"==typeof e&&ki(e,"kind")&&ki(e,"pos")?"SyntaxKind: "+ct(e.kind):JSON.stringify(e)),r||at)}function ot(e){return"function"!=typeof e?"":ki(e,"name")?e.name:(e=Function.prototype.toString.call(e),(e=/^function\s+([\w$]+)\s*\(/.exec(e))?e[1]:"")}function st(t=0,r,e){r=(e=>{var t=c.get(e);if(!t){var r,n=[];for(r in e){var i=e[r];"number"==typeof i&&n.push([i,r])}t=dn(n,(e,t)=>XC(e[0],t[0])),c.set(e,t)}return t})(r);if(0===t)return 0<r.length&&0===r[0][0]?r[0][1]:"0";if(e){var n,i,a=[];let e=t;for([n,i]of r){if(n>t)break;0!==n&&n&t&&(a.push(i),e&=~n)}if(0===e)return a.join("|")}else for(var[o,s]of r)if(o===t)return s;return t.toString()}$e.getAssertionLevel=function(){return n},$e.setAssertionLevel=function(e){if(n<(n=e))for(var t of j(i)){var r=i[t];void 0!==r&&$e[t]!==r.assertion&&e>=r.level&&($e[t]=r,i[t]=void 0)}},$e.shouldAssert=Ze,$e.fail=tt,$e.failBadSyntaxKind=function e(t,r,n){return tt(`${r||"Unexpected node."}\r
|
|
1
|
+
var fs=require("fs"),path=require("path"),url=require("url"),require$$3=require("os"),require$$6=require("inspector"),_documentCurrentScript="undefined"!=typeof document?document.currentScript:null;function __awaiter(e,o,s,c){return new(s=s||Promise)(function(r,t){function n(e){try{a(c.next(e))}catch(e){t(e)}}function i(e){try{a(c.throw(e))}catch(e){t(e)}}function a(e){var t;e.done?r(e.value):((t=e.value)instanceof s?t:new s(function(e){e(t)})).then(n,i)}a((c=c.apply(e,o||[])).next())})}var commonjsGlobal="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:{};function commonjsRequire(e){throw new Error('Could not dynamically require "'+e+'". Please configure the dynamicRequireTargets or/and ignoreDynamicRequires option of @rollup/plugin-commonjs appropriately for this require call to work.')}var hasRequiredBase64,hasRequiredBase64Vlq,typescript={exports:{}},sourceMapSupport={exports:{}},sourceMap={},sourceMapGenerator={},base64Vlq={},base64={};function requireBase64(){var t;return hasRequiredBase64||(hasRequiredBase64=1,t="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/".split(""),base64.encode=function(e){if(0<=e&&e<t.length)return t[e];throw new TypeError("Must be between 0 and 63: "+e)},base64.decode=function(e){return 65<=e&&e<=90?e-65:97<=e&&e<=122?e-97+26:48<=e&&e<=57?e-48+52:43==e?62:47==e?63:-1}),base64}function requireBase64Vlq(){var l;return hasRequiredBase64Vlq||(hasRequiredBase64Vlq=1,l=requireBase64(),0,base64Vlq.encode=function(e){for(var t,r="",n=(e=e)<0?1+(-e<<1):e<<1;t=31&n,0<(n>>>=5)&&(t|=32),r+=l.encode(t),0<n;);return r},base64Vlq.decode=function(e,t,r){var n,i,a,o=e.length,s=0,c=0;do{if(o<=t)throw new Error("Expected more digits in base 64 VLQ value.");if(-1===(i=l.decode(e.charCodeAt(t++))))throw new Error("Invalid base64 digit: "+e.charAt(t-1))}while(n=!!(32&i),s+=(i&=31)<<c,c+=5,n);r.value=(a=s>>1,1==(1&s)?-a:a),r.rest=t}),base64Vlq}var hasRequiredUtil,util={};function requireUtil(){var s,t,i,e;return hasRequiredUtil||(hasRequiredUtil=1,(s=util).getArg=function(e,t,r){if(t in e)return e[t];if(3===arguments.length)return r;throw new Error('"'+t+'" is a required argument.')},t=/^(?:([\w+\-.]+):)?\/\/(?:(\w+:\w+)@)?([\w.-]*)(?::(\d+))?(.*)$/,i=/^data:.+\,.+$/,s.urlParse=c,s.urlGenerate=l,s.normalize=a,s.join=n,s.isAbsolute=function(e){return"/"===e.charAt(0)||t.test(e)},s.relative=function(e,t){e=(e=""===e?".":e).replace(/\/$/,"");for(var r=0;0!==t.indexOf(e+"/");){var n=e.lastIndexOf("/");if(n<0)return t;if((e=e.slice(0,n)).match(/^([^\/]+:\/)?\/*$/))return t;++r}return Array(r+1).join("../")+t.substr(e.length+1)},e=!("__proto__"in Object.create(null)),s.toSetString=e?r:function(e){return o(e)?"$"+e:e},s.fromSetString=e?r:function(e){return o(e)?e.slice(1):e},s.compareByOriginalPositions=function(e,t,r){var n=_(e.source,t.source);return 0!==n||0!=(n=e.originalLine-t.originalLine)||0!=(n=e.originalColumn-t.originalColumn)||r||0!=(n=e.generatedColumn-t.generatedColumn)||0!=(n=e.generatedLine-t.generatedLine)?n:_(e.name,t.name)},s.compareByGeneratedPositionsDeflated=function(e,t,r){var n=e.generatedLine-t.generatedLine;return 0!=n||0!=(n=e.generatedColumn-t.generatedColumn)||r||0!==(n=_(e.source,t.source))||0!=(n=e.originalLine-t.originalLine)||0!=(n=e.originalColumn-t.originalColumn)?n:_(e.name,t.name)},s.compareByGeneratedPositionsInflated=function(e,t){var r=e.generatedLine-t.generatedLine;return 0!=r||0!=(r=e.generatedColumn-t.generatedColumn)||0!==(r=_(e.source,t.source))||0!=(r=e.originalLine-t.originalLine)||0!=(r=e.originalColumn-t.originalColumn)?r:_(e.name,t.name)},s.parseSourceMapInput=function(e){return JSON.parse(e.replace(/^\)]}'[^\n]*\n/,""))},s.computeSourceURL=function(e,t,r){if(t=t||"",e&&("/"!==e[e.length-1]&&"/"!==t[0]&&(e+="/"),t=e+t),r){e=c(r);if(!e)throw new Error("sourceMapURL could not be parsed");e.path&&0<=(r=e.path.lastIndexOf("/"))&&(e.path=e.path.substring(0,r+1)),t=n(l(e),t)}return a(t)}),util;function c(e){e=e.match(t);return e?{scheme:e[1],auth:e[2],host:e[3],port:e[4],path:e[5]}:null}function l(e){var t="";return e.scheme&&(t+=e.scheme+":"),t+="//",e.auth&&(t+=e.auth+"@"),e.host&&(t+=e.host),e.port&&(t+=":"+e.port),e.path&&(t+=e.path),t}function a(e){var t=e,r=c(e);if(r){if(!r.path)return e;t=r.path}for(var n,e=s.isAbsolute(t),i=t.split(/\/+/),a=0,o=i.length-1;0<=o;o--)"."===(n=i[o])?i.splice(o,1):".."===n?a++:0<a&&(""===n?(i.splice(o+1,a),a=0):(i.splice(o,2),a--));return""===(t=i.join("/"))&&(t=e?"/":"."),r?(r.path=t,l(r)):t}function n(e,t){""===e&&(e=".");var r=c(t=""===t?".":t),n=c(e);return n&&(e=n.path||"/"),r&&!r.scheme?(n&&(r.scheme=n.scheme),l(r)):r||t.match(i)?t:!n||n.host||n.path?(r="/"===t.charAt(0)?t:a(e.replace(/\/+$/,"")+"/"+t),n?(n.path=r,l(n)):r):(n.host=t,l(n))}function r(e){return e}function o(e){if(e){var t=e.length;if(!(t<9)&&95===e.charCodeAt(t-1)&&95===e.charCodeAt(t-2)&&111===e.charCodeAt(t-3)&&116===e.charCodeAt(t-4)&&111===e.charCodeAt(t-5)&&114===e.charCodeAt(t-6)&&112===e.charCodeAt(t-7)&&95===e.charCodeAt(t-8)&&95===e.charCodeAt(t-9)){for(var r=t-10;0<=r;r--)if(36!==e.charCodeAt(r))return;return 1}}}function _(e,t){return e===t?0:null===e||null!==t&&t<e?1:-1}}var hasRequiredArraySet,arraySet={};function requireArraySet(){var a,o,s;return hasRequiredArraySet||(hasRequiredArraySet=1,a=requireUtil(),o=Object.prototype.hasOwnProperty,s="undefined"!=typeof Map,c.fromArray=function(e,t){for(var r=new c,n=0,i=e.length;n<i;n++)r.add(e[n],t);return r},c.prototype.size=function(){return s?this._set.size:Object.getOwnPropertyNames(this._set).length},c.prototype.add=function(e,t){var r=s?e:a.toSetString(e),n=s?this.has(e):o.call(this._set,r),i=this._array.length;n&&!t||this._array.push(e),n||(s?this._set.set(e,i):this._set[r]=i)},c.prototype.has=function(e){return s?this._set.has(e):(e=a.toSetString(e),o.call(this._set,e))},c.prototype.indexOf=function(e){if(s){var t=this._set.get(e);if(0<=t)return t}else{t=a.toSetString(e);if(o.call(this._set,t))return this._set[t]}throw new Error('"'+e+'" is not in the set.')},c.prototype.at=function(e){if(0<=e&&e<this._array.length)return this._array[e];throw new Error("No element indexed by "+e)},c.prototype.toArray=function(){return this._array.slice()},arraySet.ArraySet=c),arraySet;function c(){this._array=[],this._set=s?new Map:Object.create(null)}}var hasRequiredMappingList,hasRequiredSourceMapGenerator,mappingList={};function requireMappingList(){var a;return hasRequiredMappingList||(hasRequiredMappingList=1,a=requireUtil(),e.prototype.unsortedForEach=function(e,t){this._array.forEach(e,t)},e.prototype.add=function(e){var t,r,n,i;t=this._last,r=e,n=t.generatedLine,i=r.generatedLine,n<i||i==n&&t.generatedColumn<=r.generatedColumn||a.compareByGeneratedPositionsInflated(t,r)<=0?this._last=e:this._sorted=!1,this._array.push(e)},e.prototype.toArray=function(){return this._sorted||(this._array.sort(a.compareByGeneratedPositionsInflated),this._sorted=!0),this._array},mappingList.MappingList=e),mappingList;function e(){this._array=[],this._sorted=!0,this._last={generatedLine:-1,generatedColumn:0}}}function requireSourceMapGenerator(){var p,f,t,r;return hasRequiredSourceMapGenerator||(hasRequiredSourceMapGenerator=1,p=requireBase64Vlq(),f=requireUtil(),t=requireArraySet().ArraySet,r=requireMappingList().MappingList,e.prototype._version=3,e.fromSourceMap=function(r){var n=r.sourceRoot,i=new e({file:r.file,sourceRoot:n});return r.eachMapping(function(e){var t={generated:{line:e.generatedLine,column:e.generatedColumn}};null!=e.source&&(t.source=e.source,null!=n&&(t.source=f.relative(n,t.source)),t.original={line:e.originalLine,column:e.originalColumn},null!=e.name)&&(t.name=e.name),i.addMapping(t)}),r.sources.forEach(function(e){var t=e,t=(null!==n&&(t=f.relative(n,e)),i._sources.has(t)||i._sources.add(t),r.sourceContentFor(e));null!=t&&i.setSourceContent(e,t)}),i},e.prototype.addMapping=function(e){var t=f.getArg(e,"generated"),r=f.getArg(e,"original",null),n=f.getArg(e,"source",null),e=f.getArg(e,"name",null);this._skipValidation||this._validateMapping(t,r,n,e),null!=n&&(n=String(n),this._sources.has(n)||this._sources.add(n)),null!=e&&(e=String(e),this._names.has(e)||this._names.add(e)),this._mappings.add({generatedLine:t.line,generatedColumn:t.column,originalLine:null!=r&&r.line,originalColumn:null!=r&&r.column,source:n,name:e})},e.prototype.setSourceContent=function(e,t){null!=this._sourceRoot&&(e=f.relative(this._sourceRoot,e)),null!=t?(this._sourcesContents||(this._sourcesContents=Object.create(null)),this._sourcesContents[f.toSetString(e)]=t):this._sourcesContents&&(delete this._sourcesContents[f.toSetString(e)],0===Object.keys(this._sourcesContents).length)&&(this._sourcesContents=null)},e.prototype.applySourceMap=function(r,e,n){var i=e;if(null==e){if(null==r.file)throw new Error('SourceMapGenerator.prototype.applySourceMap requires either an explicit source file, or the source map\'s "file" property. Both were omitted.');i=r.file}var a=this._sourceRoot,o=(null!=a&&(i=f.relative(a,i)),new t),s=new t;this._mappings.unsortedForEach(function(e){e.source===i&&null!=e.originalLine&&null!=(t=r.originalPositionFor({line:e.originalLine,column:e.originalColumn})).source&&(e.source=t.source,null!=n&&(e.source=f.join(n,e.source)),null!=a&&(e.source=f.relative(a,e.source)),e.originalLine=t.line,e.originalColumn=t.column,null!=t.name)&&(e.name=t.name);var t=e.source,t=(null==t||o.has(t)||o.add(t),e.name);null==t||s.has(t)||s.add(t)},this),this._sources=o,this._names=s,r.sources.forEach(function(e){var t=r.sourceContentFor(e);null!=t&&(null!=n&&(e=f.join(n,e)),null!=a&&(e=f.relative(a,e)),this.setSourceContent(e,t))},this)},e.prototype._validateMapping=function(e,t,r,n){if(t&&"number"!=typeof t.line&&"number"!=typeof t.column)throw new Error("original.line and original.column are not numbers -- you probably meant to omit the original mapping entirely and only map the generated position. If so, pass null for the original mapping instead of an object with empty or null values.");if((!(e&&"line"in e&&"column"in e&&0<e.line&&0<=e.column)||t||r||n)&&!(e&&"line"in e&&"column"in e&&t&&"line"in t&&"column"in t&&0<e.line&&0<=e.column&&0<t.line&&0<=t.column&&r))throw new Error("Invalid mapping: "+JSON.stringify({generated:e,source:r,original:t,name:n}))},e.prototype._serializeMappings=function(){for(var e,t,r,n=0,i=1,a=0,o=0,s=0,c=0,l="",_=this._mappings.toArray(),u=0,d=_.length;u<d;u++){if(e="",(t=_[u]).generatedLine!==i)for(n=0;t.generatedLine!==i;)e+=";",i++;else if(0<u){if(!f.compareByGeneratedPositionsInflated(t,_[u-1]))continue;e+=","}e+=p.encode(t.generatedColumn-n),n=t.generatedColumn,null!=t.source&&(r=this._sources.indexOf(t.source),e+=p.encode(r-c),c=r,e+=p.encode(t.originalLine-1-o),o=t.originalLine-1,e+=p.encode(t.originalColumn-a),a=t.originalColumn,null!=t.name)&&(r=this._names.indexOf(t.name),e+=p.encode(r-s),s=r),l+=e}return l},e.prototype._generateSourcesContent=function(e,t){return e.map(function(e){if(!this._sourcesContents)return null;null!=t&&(e=f.relative(t,e));e=f.toSetString(e);return Object.prototype.hasOwnProperty.call(this._sourcesContents,e)?this._sourcesContents[e]:null},this)},e.prototype.toJSON=function(){var e={version:this._version,sources:this._sources.toArray(),names:this._names.toArray(),mappings:this._serializeMappings()};return null!=this._file&&(e.file=this._file),null!=this._sourceRoot&&(e.sourceRoot=this._sourceRoot),this._sourcesContents&&(e.sourcesContent=this._generateSourcesContent(e.sources,e.sourceRoot)),e},e.prototype.toString=function(){return JSON.stringify(this.toJSON())},sourceMapGenerator.SourceMapGenerator=e),sourceMapGenerator;function e(e){this._file=f.getArg(e=e||{},"file",null),this._sourceRoot=f.getArg(e,"sourceRoot",null),this._skipValidation=f.getArg(e,"skipValidation",!1),this._sources=new t,this._names=new t,this._mappings=new r,this._sourcesContents=null}}var hasRequiredBinarySearch,sourceMapConsumer={},binarySearch={};function requireBinarySearch(){var l;return hasRequiredBinarySearch||(hasRequiredBinarySearch=1,(l=binarySearch).GREATEST_LOWER_BOUND=1,l.LEAST_UPPER_BOUND=2,l.search=function(e,t,r,n){if(0===t.length)return-1;var i=function e(t,r,n,i,a,o){var s=Math.floor((r-t)/2)+t,c=a(n,i[s],!0);return 0===c?s:0<c?1<r-s?e(s,r,n,i,a,o):o==l.LEAST_UPPER_BOUND?r<i.length?r:-1:s:1<s-t?e(t,s,n,i,a,o):o==l.LEAST_UPPER_BOUND?s:t<0?-1:t}(-1,t.length,e,t,r,n||l.GREATEST_LOWER_BOUND);if(i<0)return-1;for(;0<=i-1&&0===r(t[i],t[i-1],!0);)--i;return i}),binarySearch}var hasRequiredQuickSort,hasRequiredSourceMapConsumer,quickSort={};function requireQuickSort(){return hasRequiredQuickSort||(hasRequiredQuickSort=1,quickSort.quickSort=function(e,t){_(e,t,0,e.length-1)}),quickSort;function l(e,t,r){var n=e[t];e[t]=e[r],e[r]=n}function _(e,t,r,n){if(r<n){c=n;for(var i=(s=r)-1,a=(l(e,Math.round(s+Math.random()*(c-s)),n),e[n]),o=r;o<n;o++)t(e[o],a)<=0&&l(e,i+=1,o);l(e,i+1,o);c=i+1;_(e,t,r,c-1),_(e,t,c+1,n)}var s,c}}function requireSourceMapConsumer(){var y,c,d,v,b;return hasRequiredSourceMapConsumer||(hasRequiredSourceMapConsumer=1,y=requireUtil(),c=requireBinarySearch(),d=requireArraySet().ArraySet,v=requireBase64Vlq(),b=requireQuickSort().quickSort,o.fromSourceMap=function(e,t){return p.fromSourceMap(e,t)},o.prototype._version=3,o.prototype.__generatedMappings=null,Object.defineProperty(o.prototype,"_generatedMappings",{configurable:!0,enumerable:!0,get:function(){return this.__generatedMappings||this._parseMappings(this._mappings,this.sourceRoot),this.__generatedMappings}}),o.prototype.__originalMappings=null,Object.defineProperty(o.prototype,"_originalMappings",{configurable:!0,enumerable:!0,get:function(){return this.__originalMappings||this._parseMappings(this._mappings,this.sourceRoot),this.__originalMappings}}),o.prototype._charIsMappingSeparator=function(e,t){e=e.charAt(t);return";"===e||","===e},o.prototype._parseMappings=function(e,t){throw new Error("Subclasses must implement _parseMappings")},o.GENERATED_ORDER=1,o.ORIGINAL_ORDER=2,o.GREATEST_LOWER_BOUND=1,o.LEAST_UPPER_BOUND=2,o.prototype.eachMapping=function(e,t,r){var n,t=t||null;switch(r||o.GENERATED_ORDER){case o.GENERATED_ORDER:n=this._generatedMappings;break;case o.ORIGINAL_ORDER:n=this._originalMappings;break;default:throw new Error("Unknown order of iteration.")}var i=this.sourceRoot;n.map(function(e){var t=null===e.source?null:this._sources.at(e.source);return{source:y.computeSourceURL(i,t,this._sourceMapURL),generatedLine:e.generatedLine,generatedColumn:e.generatedColumn,originalLine:e.originalLine,originalColumn:e.originalColumn,name:null===e.name?null:this._names.at(e.name)}},this).forEach(e,t)},o.prototype.allGeneratedPositionsFor=function(e){var t=y.getArg(e,"line"),r={source:y.getArg(e,"source"),originalLine:t,originalColumn:y.getArg(e,"column",0)};if(r.source=this._findSourceIndex(r.source),r.source<0)return[];var n=[],i=this._findMapping(r,this._originalMappings,"originalLine","originalColumn",y.compareByOriginalPositions,c.LEAST_UPPER_BOUND);if(0<=i){var a=this._originalMappings[i];if(void 0===e.column)for(var o=a.originalLine;a&&a.originalLine===o;)n.push({line:y.getArg(a,"generatedLine",null),column:y.getArg(a,"generatedColumn",null),lastColumn:y.getArg(a,"lastGeneratedColumn",null)}),a=this._originalMappings[++i];else for(var s=a.originalColumn;a&&a.originalLine===t&&a.originalColumn==s;)n.push({line:y.getArg(a,"generatedLine",null),column:y.getArg(a,"generatedColumn",null),lastColumn:y.getArg(a,"lastGeneratedColumn",null)}),a=this._originalMappings[++i]}return n},sourceMapConsumer.SourceMapConsumer=o,(p.prototype=Object.create(o.prototype)).consumer=o,p.prototype._findSourceIndex=function(e){var t,r=e;if(null!=this.sourceRoot&&(r=y.relative(this.sourceRoot,r)),this._sources.has(r))return this._sources.indexOf(r);for(t=0;t<this._absoluteSources.length;++t)if(this._absoluteSources[t]==e)return t;return-1},p.fromSourceMap=function(e,t){for(var r=Object.create(p.prototype),n=r._names=d.fromArray(e._names.toArray(),!0),i=r._sources=d.fromArray(e._sources.toArray(),!0),a=(r.sourceRoot=e._sourceRoot,r.sourcesContent=e._generateSourcesContent(r._sources.toArray(),r.sourceRoot),r.file=e._file,r._sourceMapURL=t,r._absoluteSources=r._sources.toArray().map(function(e){return y.computeSourceURL(r.sourceRoot,e,t)}),e._mappings.toArray().slice()),o=r.__generatedMappings=[],s=r.__originalMappings=[],c=0,l=a.length;c<l;c++){var _=a[c],u=new x;u.generatedLine=_.generatedLine,u.generatedColumn=_.generatedColumn,_.source&&(u.source=i.indexOf(_.source),u.originalLine=_.originalLine,u.originalColumn=_.originalColumn,_.name&&(u.name=n.indexOf(_.name)),s.push(u)),o.push(u)}return b(r.__originalMappings,y.compareByOriginalPositions),r},p.prototype._version=3,Object.defineProperty(p.prototype,"sources",{get:function(){return this._absoluteSources.slice()}}),p.prototype._parseMappings=function(e,t){for(var r,n,i,a,o=1,s=0,c=0,l=0,_=0,u=0,d=e.length,p=0,f={},m={},g=[],h=[];p<d;)if(";"===e.charAt(p))o++,p++,s=0;else if(","===e.charAt(p))p++;else{for((r=new x).generatedLine=o,a=p;a<d&&!this._charIsMappingSeparator(e,a);a++);if(i=f[n=e.slice(p,a)])p+=n.length;else{for(i=[];p<a;)v.decode(e,p,m),p=m.rest,i.push(m.value);if(2===i.length)throw new Error("Found a source, but no line and column");if(3===i.length)throw new Error("Found a source and line, but no column");f[n]=i}r.generatedColumn=s+i[0],s=r.generatedColumn,1<i.length&&(r.source=_+i[1],_+=i[1],r.originalLine=c+i[2],c=r.originalLine,r.originalLine+=1,r.originalColumn=l+i[3],l=r.originalColumn,4<i.length)&&(r.name=u+i[4],u+=i[4]),h.push(r),"number"==typeof r.originalLine&&g.push(r)}b(h,y.compareByGeneratedPositionsDeflated),this.__generatedMappings=h,b(g,y.compareByOriginalPositions),this.__originalMappings=g},p.prototype._findMapping=function(e,t,r,n,i,a){if(e[r]<=0)throw new TypeError("Line must be greater than or equal to 1, got "+e[r]);if(e[n]<0)throw new TypeError("Column must be greater than or equal to 0, got "+e[n]);return c.search(e,t,i,a)},p.prototype.computeColumnSpans=function(){for(var e=0;e<this._generatedMappings.length;++e){var t=this._generatedMappings[e];if(e+1<this._generatedMappings.length){var r=this._generatedMappings[e+1];if(t.generatedLine===r.generatedLine){t.lastGeneratedColumn=r.generatedColumn-1;continue}}t.lastGeneratedColumn=1/0}},p.prototype.originalPositionFor=function(e){var t={generatedLine:y.getArg(e,"line"),generatedColumn:y.getArg(e,"column")},e=this._findMapping(t,this._generatedMappings,"generatedLine","generatedColumn",y.compareByGeneratedPositionsDeflated,y.getArg(e,"bias",o.GREATEST_LOWER_BOUND));if(0<=e){var r,e=this._generatedMappings[e];if(e.generatedLine===t.generatedLine)return null!==(t=y.getArg(e,"source",null))&&(t=this._sources.at(t),t=y.computeSourceURL(this.sourceRoot,t,this._sourceMapURL)),null!==(r=y.getArg(e,"name",null))&&(r=this._names.at(r)),{source:t,line:y.getArg(e,"originalLine",null),column:y.getArg(e,"originalColumn",null),name:r}}return{source:null,line:null,column:null,name:null}},p.prototype.hasContentsOfAllSources=function(){return!!this.sourcesContent&&this.sourcesContent.length>=this._sources.size()&&!this.sourcesContent.some(function(e){return null==e})},p.prototype.sourceContentFor=function(e,t){if(!this.sourcesContent)return null;var r=this._findSourceIndex(e);if(0<=r)return this.sourcesContent[r];var n,r=e;if(null!=this.sourceRoot&&(r=y.relative(this.sourceRoot,r)),null!=this.sourceRoot&&(n=y.urlParse(this.sourceRoot))){e=r.replace(/^file:\/\//,"");if("file"==n.scheme&&this._sources.has(e))return this.sourcesContent[this._sources.indexOf(e)];if((!n.path||"/"==n.path)&&this._sources.has("/"+r))return this.sourcesContent[this._sources.indexOf("/"+r)]}if(t)return null;throw new Error('"'+r+'" is not in the SourceMap.')},p.prototype.generatedPositionFor=function(e){var t=y.getArg(e,"source"),t=this._findSourceIndex(t);if(!(t<0)){t={source:t,originalLine:y.getArg(e,"line"),originalColumn:y.getArg(e,"column")},e=this._findMapping(t,this._originalMappings,"originalLine","originalColumn",y.compareByOriginalPositions,y.getArg(e,"bias",o.GREATEST_LOWER_BOUND));if(0<=e){e=this._originalMappings[e];if(e.source===t.source)return{line:y.getArg(e,"generatedLine",null),column:y.getArg(e,"generatedColumn",null),lastColumn:y.getArg(e,"lastGeneratedColumn",null)}}}return{line:null,column:null,lastColumn:null}},sourceMapConsumer.BasicSourceMapConsumer=p,(n.prototype=Object.create(o.prototype)).constructor=o,n.prototype._version=3,Object.defineProperty(n.prototype,"sources",{get:function(){for(var e=[],t=0;t<this._sections.length;t++)for(var r=0;r<this._sections[t].consumer.sources.length;r++)e.push(this._sections[t].consumer.sources[r]);return e}}),n.prototype.originalPositionFor=function(e){var t={generatedLine:y.getArg(e,"line"),generatedColumn:y.getArg(e,"column")},r=c.search(t,this._sections,function(e,t){var r=e.generatedLine-t.generatedOffset.generatedLine;return r||e.generatedColumn-t.generatedOffset.generatedColumn}),r=this._sections[r];return r?r.consumer.originalPositionFor({line:t.generatedLine-(r.generatedOffset.generatedLine-1),column:t.generatedColumn-(r.generatedOffset.generatedLine===t.generatedLine?r.generatedOffset.generatedColumn-1:0),bias:e.bias}):{source:null,line:null,column:null,name:null}},n.prototype.hasContentsOfAllSources=function(){return this._sections.every(function(e){return e.consumer.hasContentsOfAllSources()})},n.prototype.sourceContentFor=function(e,t){for(var r=0;r<this._sections.length;r++){var n=this._sections[r].consumer.sourceContentFor(e,!0);if(n)return n}if(t)return null;throw new Error('"'+e+'" is not in the SourceMap.')},n.prototype.generatedPositionFor=function(e){for(var t=0;t<this._sections.length;t++){var r=this._sections[t];if(-1!==r.consumer._findSourceIndex(y.getArg(e,"source"))){var n=r.consumer.generatedPositionFor(e);if(n)return{line:n.line+(r.generatedOffset.generatedLine-1),column:n.column+(r.generatedOffset.generatedLine===n.line?r.generatedOffset.generatedColumn-1:0)}}}return{line:null,column:null}},n.prototype._parseMappings=function(e,t){this.__generatedMappings=[],this.__originalMappings=[];for(var r=0;r<this._sections.length;r++)for(var n=this._sections[r],i=n.consumer._generatedMappings,a=0;a<i.length;a++){var o=i[a],s=n.consumer._sources.at(o.source),s=y.computeSourceURL(n.consumer.sourceRoot,s,this._sourceMapURL),c=(this._sources.add(s),s=this._sources.indexOf(s),null),s=(o.name&&(c=n.consumer._names.at(o.name),this._names.add(c),c=this._names.indexOf(c)),{source:s,generatedLine:o.generatedLine+(n.generatedOffset.generatedLine-1),generatedColumn:o.generatedColumn+(n.generatedOffset.generatedLine===o.generatedLine?n.generatedOffset.generatedColumn-1:0),originalLine:o.originalLine,originalColumn:o.originalColumn,name:c});this.__generatedMappings.push(s),"number"==typeof s.originalLine&&this.__originalMappings.push(s)}b(this.__generatedMappings,y.compareByGeneratedPositionsDeflated),b(this.__originalMappings,y.compareByOriginalPositions)},sourceMapConsumer.IndexedSourceMapConsumer=n),sourceMapConsumer;function o(e,t){var r=e;return new(null!=(r="string"==typeof e?y.parseSourceMapInput(e):r).sections?n:p)(r,t)}function p(e,t){var r=e,e=("string"==typeof e&&(r=y.parseSourceMapInput(e)),y.getArg(r,"version")),n=y.getArg(r,"sources"),i=y.getArg(r,"names",[]),a=y.getArg(r,"sourceRoot",null),o=y.getArg(r,"sourcesContent",null),s=y.getArg(r,"mappings"),r=y.getArg(r,"file",null);if(e!=this._version)throw new Error("Unsupported version: "+e);a=a&&y.normalize(a),n=n.map(String).map(y.normalize).map(function(e){return a&&y.isAbsolute(a)&&y.isAbsolute(e)?y.relative(a,e):e}),this._names=d.fromArray(i.map(String),!0),this._sources=d.fromArray(n,!0),this._absoluteSources=this._sources.toArray().map(function(e){return y.computeSourceURL(a,e,t)}),this.sourceRoot=a,this.sourcesContent=o,this._mappings=s,this._sourceMapURL=t,this.file=r}function x(){this.generatedLine=0,this.generatedColumn=0,this.source=null,this.originalLine=null,this.originalColumn=null,this.name=null}function n(e,i){var t=e,e=("string"==typeof e&&(t=y.parseSourceMapInput(e)),y.getArg(t,"version")),t=y.getArg(t,"sections");if(e!=this._version)throw new Error("Unsupported version: "+e);this._sources=new d,this._names=new d;var a={line:-1,column:0};this._sections=t.map(function(e){if(e.url)throw new Error("Support for url field in sections not implemented.");var t=y.getArg(e,"offset"),r=y.getArg(t,"line"),n=y.getArg(t,"column");if(r<a.line||r===a.line&&n<a.column)throw new Error("Section offsets must be ordered and non-overlapping.");return a=t,{generatedOffset:{generatedLine:r+1,generatedColumn:n+1},consumer:new o(y.getArg(e,"map"),i)}})}}var hasRequiredSourceNode,hasRequiredSourceMap,bufferFrom_1,hasRequiredBufferFrom,hasRequiredSourceMapSupport,hasRequiredTypescript,sourceNode={};function requireSourceNode(){var t,d,p,a;return hasRequiredSourceNode||(hasRequiredSourceNode=1,t=requireSourceMapGenerator().SourceMapGenerator,d=requireUtil(),p=/(\r?\n)/,a="$$$isSourceNode$$$",f.fromStringWithSourceMap=function(e,r,n){function i(){return e()+(e()||"");function e(){return s<o.length?o[s++]:void 0}}var a=new f,o=e.split(p),s=0,c=1,l=0,_=null;return r.eachMapping(function(e){if(null!==_){var t;if(!(c<e.generatedLine))return t=(r=o[s]||"").substr(0,e.generatedColumn-l),o[s]=r.substr(e.generatedColumn-l),l=e.generatedColumn,u(_,t),void(_=e);u(_,i()),c++,l=0}for(;c<e.generatedLine;)a.add(i()),c++;var r;l<e.generatedColumn&&(r=o[s]||"",a.add(r.substr(0,e.generatedColumn)),o[s]=r.substr(e.generatedColumn),l=e.generatedColumn),_=e},this),s<o.length&&(_&&u(_,i()),a.add(o.splice(s).join(""))),r.sources.forEach(function(e){var t=r.sourceContentFor(e);null!=t&&(null!=n&&(e=d.join(n,e)),a.setSourceContent(e,t))}),a;function u(e,t){var r;null===e||void 0===e.source?a.add(t):(r=n?d.join(n,e.source):e.source,a.add(new f(e.originalLine,e.originalColumn,r,t,e.name)))}},f.prototype.add=function(e){if(Array.isArray(e))e.forEach(function(e){this.add(e)},this);else{if(!e[a]&&"string"!=typeof e)throw new TypeError("Expected a SourceNode, string, or an array of SourceNodes and strings. Got "+e);e&&this.children.push(e)}return this},f.prototype.prepend=function(e){if(Array.isArray(e))for(var t=e.length-1;0<=t;t--)this.prepend(e[t]);else{if(!e[a]&&"string"!=typeof e)throw new TypeError("Expected a SourceNode, string, or an array of SourceNodes and strings. Got "+e);this.children.unshift(e)}return this},f.prototype.walk=function(e){for(var t,r=0,n=this.children.length;r<n;r++)(t=this.children[r])[a]?t.walk(e):""!==t&&e(t,{source:this.source,line:this.line,column:this.column,name:this.name})},f.prototype.join=function(e){var t,r,n=this.children.length;if(0<n){for(t=[],r=0;r<n-1;r++)t.push(this.children[r]),t.push(e);t.push(this.children[r]),this.children=t}return this},f.prototype.replaceRight=function(e,t){var r=this.children[this.children.length-1];return r[a]?r.replaceRight(e,t):"string"==typeof r?this.children[this.children.length-1]=r.replace(e,t):this.children.push("".replace(e,t)),this},f.prototype.setSourceContent=function(e,t){this.sourceContents[d.toSetString(e)]=t},f.prototype.walkSourceContents=function(e){for(var t=0,r=this.children.length;t<r;t++)this.children[t][a]&&this.children[t].walkSourceContents(e);for(var n=Object.keys(this.sourceContents),t=0,r=n.length;t<r;t++)e(d.fromSetString(n[t]),this.sourceContents[n[t]])},f.prototype.toString=function(){var t="";return this.walk(function(e){t+=e}),t},f.prototype.toStringWithSourceMap=function(e){var i={code:"",line:1,column:0},a=new t(e),o=!1,s=null,c=null,l=null,_=null;return this.walk(function(e,t){i.code+=e,null!==t.source&&null!==t.line&&null!==t.column?(s===t.source&&c===t.line&&l===t.column&&_===t.name||a.addMapping({source:t.source,original:{line:t.line,column:t.column},generated:{line:i.line,column:i.column},name:t.name}),s=t.source,c=t.line,l=t.column,_=t.name,o=!0):o&&(a.addMapping({generated:{line:i.line,column:i.column}}),s=null,o=!1);for(var r=0,n=e.length;r<n;r++)10===e.charCodeAt(r)?(i.line++,i.column=0,r+1===n?(s=null,o=!1):o&&a.addMapping({source:t.source,original:{line:t.line,column:t.column},generated:{line:i.line,column:i.column},name:t.name})):i.column++}),this.walkSourceContents(function(e,t){a.setSourceContent(e,t)}),{code:i.code,map:a}},sourceNode.SourceNode=f),sourceNode;function f(e,t,r,n,i){this.children=[],this.sourceContents={},this.line=null==e?null:e,this.column=null==t?null:t,this.source=null==r?null:r,this.name=null==i?null:i,this[a]=!0,null!=n&&this.add(n)}}function requireSourceMap(){return hasRequiredSourceMap||(hasRequiredSourceMap=1,sourceMap.SourceMapGenerator=requireSourceMapGenerator().SourceMapGenerator,sourceMap.SourceMapConsumer=requireSourceMapConsumer().SourceMapConsumer,sourceMap.SourceNode=requireSourceNode().SourceNode),sourceMap}function requireBufferFrom(){var o,s;return hasRequiredBufferFrom||(hasRequiredBufferFrom=1,o=Object.prototype.toString,s="undefined"!=typeof Buffer&&"function"==typeof Buffer.alloc&&"function"==typeof Buffer.allocUnsafe&&"function"==typeof Buffer.from,bufferFrom_1=function(e,t,r){if("number"==typeof e)throw new TypeError('"value" argument must not be a number');if("ArrayBuffer"===o.call(e).slice(8,-1)){var n=e,i=t,a=n.byteLength-(i>>>=0);if(a<0)throw new RangeError("'offset' is out of bounds");if(void 0===r)r=a;else if(a<(r>>>=0))throw new RangeError("'length' is out of bounds");return s?Buffer.from(n.slice(i,i+r)):new Buffer(new Uint8Array(n.slice(i,i+r)))}if("string"!=typeof e)return s?Buffer.from(e):new Buffer(e);if(a=e,"string"==typeof(n=t)&&""!==n||(n="utf8"),Buffer.isEncoding(n))return s?Buffer.from(a,n):new Buffer(a,n);throw new TypeError('"encoding" must be a valid string encoding')}),bufferFrom_1}function requireSourceMapSupport(){if(!hasRequiredSourceMapSupport){hasRequiredSourceMapSupport=1;var i,a=sourceMapSupport,e=sourceMapSupport.exports,n=requireSourceMap().SourceMapConsumer,o=path;try{(i=require("fs")).existsSync&&i.readFileSync||(i=null)}catch(e){}var s=requireBufferFrom();function c(e,t){return e.require(t)}var l=!1,_=!1,u=!1,d="auto",p={},f={},m=/^data:application\/json[^,]+base64,/,g=[],h=[];function y(){return"browser"===d||"node"!==d&&"undefined"!=typeof window&&"function"==typeof XMLHttpRequest&&!(window.require&&window.module&&window.process&&"renderer"===window.process.type)}function t(n){return function(e){for(var t=0;t<n.length;t++){var r=n[t](e);if(r)return r}return null}}var v=t(g);function b(e,t){var r,n;return e?(e=o.dirname(e),r=(r=/^\w+:\/\/[^\/]*/.exec(e))?r[0]:"",n=e.slice(r.length),r&&/^\/\w\:/.test(n)?(r+="/")+o.resolve(e.slice(r.length),t).replace(/\\/g,"/"):r+o.resolve(e.slice(r.length),t)):t}g.push(function(e){if(e=e.trim(),(e=/^file:/.test(e)?e.replace(/file:\/\/\/(\w:)?/,function(e,t){return t?"":"/"}):e)in p)return p[e];var t,r="";try{i?i.existsSync(e)&&(r=i.readFileSync(e,"utf8")):((t=new XMLHttpRequest).open("GET",e,!1),t.send(null),4===t.readyState&&200===t.status&&(r=t.responseText))}catch(e){}return p[e]=r});var x=t(h);function S(e){var r=f[e.source];if(r||((t=x(e.source))?(r=f[e.source]={url:t.url,map:new n(t.map)}).map.sourcesContent&&r.map.sources.forEach(function(e,t){t=r.map.sourcesContent[t];t&&(e=b(r.url,e),p[e]=t)}):r=f[e.source]={url:null,map:null}),r&&r.map&&"function"==typeof r.map.originalPositionFor){var t=r.map.originalPositionFor(e);if(null!==t.source)return t.source=b(r.url,t.source),t}return e}function k(){var e,t,r="",n=(this.isNative()?r="native":(!(n=this.getScriptNameOrSourceURL())&&this.isEval()&&(r=this.getEvalOrigin(),r+=", "),r+=n||"<anonymous>",null!=(n=this.getLineNumber())&&(r+=":"+n,n=this.getColumnNumber())&&(r+=":"+n)),""),i=this.getFunctionName(),a=!0,o=this.isConstructor();return!(this.isToplevel()||o)?("[object Object]"===(e=this.getTypeName())&&(e="null"),t=this.getMethodName(),i?(e&&0!=i.indexOf(e)&&(n+=e+"."),n+=i,t&&i.indexOf("."+t)!=i.length-t.length-1&&(n+=" [as "+t+"]")):n+=e+"."+(t||"<anonymous>")):o?n+="new "+(i||"<anonymous>"):i?n+=i:(n+=r,a=!1),a&&(n+=" ("+r+")"),n}function T(t){var r={};return Object.getOwnPropertyNames(Object.getPrototypeOf(t)).forEach(function(e){r[e]=/^(?:is|get)/.test(e)?function(){return t[e].call(t)}:t[e]}),r.toString=k,r}function C(e,t){var r,n,i,a,o,s,c;return void 0===t&&(t={nextPosition:null,curPosition:null}),e.isNative()?t.curPosition=null:(r=e.getFileName()||e.getScriptNameOrSourceURL())?(n=e.getLineNumber(),i=e.getColumnNumber()-1,a=/^v(10\.1[6-9]|10\.[2-9][0-9]|10\.[0-9]{3,}|1[2-9]\d*|[2-9]\d|\d{3,}|11\.11)/.test("object"==typeof process&&null!==process?process.version:"")?0:62,1===n&&a<i&&!y()&&!e.isEval()&&(i-=a),o=S({source:r,line:n,column:i}),t.curPosition=o,s=(e=T(e)).getFunctionName,e.getFunctionName=function(){return null!=t.nextPosition&&t.nextPosition.name||s()},e.getFileName=function(){return o.source},e.getLineNumber=function(){return o.line},e.getColumnNumber=function(){return o.column+1},e.getScriptNameOrSourceURL=function(){return o.source}):(c=e.isEval()&&e.getEvalOrigin())&&(c=function e(t){var r,n=/^eval at ([^(]+) \((.+):(\d+):(\d+)\)$/.exec(t);return n?(r=S({source:n[2],line:+n[3],column:n[4]-1}),"eval at "+n[1]+" ("+r.source+":"+r.line+":"+(r.column+1)+")"):(n=/^eval at ([^(]+) \((.+)\)$/.exec(t))?"eval at "+n[1]+" ("+e(n[2])+")":t}(c),(e=T(e)).getEvalOrigin=function(){return c}),e}function w(e,t){u&&(p={},f={});for(var e=(e.name||"Error")+": "+(e.message||""),r={nextPosition:null,curPosition:null},n=[],i=t.length-1;0<=i;i--)n.push("\n at "+C(t[i],r)),r.nextPosition=r.curPosition;return r.curPosition=r.nextPosition=null,e+n.reverse().join("")}function r(e){e=/\n at [^(]+ \((.*):(\d+):(\d+)\)/.exec(e.stack);if(e){var t=e[1],r=+e[2],e=+e[3],n=p[t];if(!n&&i&&i.existsSync(t))try{n=i.readFileSync(t,"utf8")}catch(e){n=""}if(n){n=n.split(/(?:\r\n|\r|\n)/)[r-1];if(n)return t+":"+r+"\n"+n+"\n"+new Array(e).join(" ")+"^"}}return null}function N(e){r(e);e=(()=>{if("object"==typeof process&&null!==process)return process.stderr})();e&&e._handle&&e._handle.setBlocking&&e._handle.setBlocking(!0),"object"==typeof process&&null!==process&&"function"==typeof process.exit&&process.exit(1)}h.push(function(e){var t,r=(e=>{if(y())try{var t=new XMLHttpRequest,r=(t.open("GET",e,!1),t.send(null),a=4===t.readyState?t.responseText:null,t.getResponseHeader("SourceMap")||t.getResponseHeader("X-SourceMap"));if(r)return r}catch(e){}for(var n,i,a=v(e),o=/(?:\/\/[@#][\s]*sourceMappingURL=([^\s'"]+)[\s]*$)|(?:\/\*[@#][\s]*sourceMappingURL=([^\s*'"]+)[\s]*(?:\*\/)[\s]*$)/gm;i=o.exec(a);)n=i;return n?n[1]:null})(e);return r&&(m.test(r)?(t=r.slice(r.indexOf(",")+1),t=s(t,"base64").toString(),r=e):(r=b(e,r),t=v(r)),t)?{url:r,map:t}:null});var D=g.slice(0),F=h.slice(0);e.wrapCallSite=C,e.getErrorSource=r,e.mapSourcePosition=S,e.retrieveSourceMap=x,e.install=function(e){if((e=e||{}).environment&&(d=e.environment,-1===["node","browser","auto"].indexOf(d)))throw new Error("environment "+d+" was unknown. Available options are {auto, browser, node}");var r,n;if(e.retrieveFile&&(e.overrideRetrieveFile&&(g.length=0),g.unshift(e.retrieveFile)),e.retrieveSourceMap&&(e.overrideRetrieveSourceMap&&(h.length=0),h.unshift(e.retrieveSourceMap)),e.hookRequire&&!y()&&(t=c(a,"module"),(r=t.prototype._compile).__sourceMapSupport||(t.prototype._compile=function(e,t){return p[t]=e,f[t]=void 0,r.call(this,e,t)},t.prototype._compile.__sourceMapSupport=!0)),u=u||"emptyCacheBetweenOperations"in e&&e.emptyCacheBetweenOperations,l||(l=!0,Error.prepareStackTrace=w),!_){var t=!("handleUncaughtExceptions"in e)||e.handleUncaughtExceptions;try{!1===c(a,"worker_threads").isMainThread&&(t=!1)}catch(e){}t&&"object"==typeof process&&null!==process&&"function"==typeof process.on&&(_=!0,n=process.emit,process.emit=function(e){if("uncaughtException"===e){var t=arguments[1]&&arguments[1].stack,e=0<this.listeners(e).length;if(t&&!e)return N(arguments[1])}return n.apply(this,arguments)})}},e.resetRetrieveHandlers=function(){g.length=0,h.length=0,g=D.slice(0),h=F.slice(0),x=t(h),v=t(g)}}return sourceMapSupport.exports}function requireTypescript(){if(!hasRequiredTypescript){hasRequiredTypescript=1;var r=typescript,i={},e={get exports(){return i},set exports(e){i=e,r.exports&&(r.exports=e)}},s=Object.defineProperty,c=(e,t)=>{for(var r in t)s(e,r,{get:t[r],enumerable:!0})},or=(c(o={},{ANONYMOUS:()=>DQ,AccessFlags:()=>sn,AssertionLevel:()=>de,AssignmentDeclarationKind:()=>bn,AssignmentKind:()=>su,Associativity:()=>Du,BreakpointResolver:()=>Vie,BuilderFileEmit:()=>TU,BuilderProgramKind:()=>YU,BuilderState:()=>lU,CallHierarchy:()=>Wie,CharacterCodes:()=>Ln,CheckFlags:()=>Zr,CheckMode:()=>gj,ClassificationType:()=>aG,ClassificationTypeNames:()=>iG,CommentDirectiveType:()=>Or,Comparison:()=>l,CompletionInfoFlags:()=>QK,CompletionTriggerKind:()=>UK,Completions:()=>Cpe,ContainerFlags:()=>kL,ContextFlags:()=>Vr,Debug:()=>U3,DiagnosticCategory:()=>xn,Diagnostics:()=>W3,DocumentHighlights:()=>OY,ElementFlags:()=>on,EmitFlags:()=>Bn,EmitHint:()=>qn,EmitOnly:()=>jr,EndOfLineState:()=>eG,ExitStatus:()=>Jr,ExportKind:()=>bY,Extension:()=>Rn,ExternalEmitHelpers:()=>zn,FileIncludeKind:()=>Rr,FilePreprocessingDiagnosticsKind:()=>Mr,FileSystemEntryKind:()=>hi,FileWatcherEventKind:()=>Qn,FindAllReferences:()=>lme,FlattenLevel:()=>BB,FlowFlags:()=>Ir,ForegroundColorEscapeSequences:()=>lq,FunctionFlags:()=>Su,GeneratedIdentifierFlags:()=>fn,GetLiteralTextFlags:()=>Bl,GoToDefinition:()=>yge,HighlightSpanKind:()=>WK,IdentifierNameMap:()=>mB,ImportKind:()=>vY,ImportsNotUsedAsValues:()=>Fn,IndentStyle:()=>HK,IndexFlags:()=>cn,IndexKind:()=>mn,InferenceFlags:()=>yn,InferencePriority:()=>hn,InlayHintKind:()=>VK,InlayHints:()=>Pge,InternalEmitFlags:()=>Jn,InternalNodeBuilderFlags:()=>Hr,InternalSymbolName:()=>en,IntersectionFlags:()=>Ur,InvalidatedProjectKind:()=>UW,JSDocParsingMode:()=>Gn,JsDoc:()=>Mge,JsTyping:()=>gK,JsxEmit:()=>Dn,JsxFlags:()=>Dr,JsxReferenceKind:()=>ln,LanguageFeatureMinimumTarget:()=>_4,LanguageServiceMode:()=>BK,LanguageVariant:()=>In,LexicalEnvironmentFlags:()=>Vn,ListFormat:()=>Wn,LogLevel:()=>Ge,MapCode:()=>Kge,MemberOverrideStatus:()=>zr,ModifierFlags:()=>Nr,ModuleDetectionKind:()=>Tn,ModuleInstanceState:()=>bL,ModuleKind:()=>l4,ModuleResolutionKind:()=>kn,ModuleSpecifierEnding:()=>fm,NavigateTo:()=>_ee,NavigationBar:()=>xee,NewLineKind:()=>En,NodeBuilderFlags:()=>Wr,NodeCheckFlags:()=>tn,NodeFactoryFlags:()=>Fg,NodeFlags:()=>wr,NodeResolutionFeatures:()=>vO,ObjectFlags:()=>nn,OperationCanceledException:()=>Lr,OperatorPrecedence:()=>Iu,OrganizeImports:()=>Qge,OrganizeImportsMode:()=>qK,OuterExpressionKinds:()=>Un,OutliningElementsCollector:()=>hhe,OutliningSpanKind:()=>YK,OutputFileType:()=>ZK,PackageJsonAutoImportPreference:()=>jK,PackageJsonDependencyGroup:()=>MK,PatternMatchKind:()=>mZ,PollingInterval:()=>Yn,PollingWatchKind:()=>Nn,PragmaKindFlags:()=>Hn,PredicateSemantics:()=>Er,PreparePasteEdits:()=>Bye,PrivateIdentifierKind:()=>xh,ProcessLevel:()=>sJ,ProgramUpdateLevel:()=>Jz,QuotePreference:()=>hX,RegularExpressionFlags:()=>Pr,RelationComparisonResult:()=>Fr,Rename:()=>whe,ScriptElementKind:()=>rG,ScriptElementKindModifier:()=>nG,ScriptKind:()=>Pn,ScriptSnapshot:()=>IK,ScriptTarget:()=>An,SemanticClassificationFormat:()=>zK,SemanticMeaning:()=>sG,SemicolonPreference:()=>KK,SignatureCheckMode:()=>hj,SignatureFlags:()=>un,SignatureHelp:()=>Phe,SignatureInfo:()=>_U,SignatureKind:()=>_n,SmartSelectionRange:()=>Vhe,SnippetKind:()=>jn,StatisticType:()=>NH,StructureIsReused:()=>Br,SymbolAccessibility:()=>$r,SymbolDisplay:()=>$he,SymbolDisplayPartKind:()=>XK,SymbolFlags:()=>Yr,SymbolFormatFlags:()=>Gr,SyntaxKind:()=>Cr,Ternary:()=>vn,ThrottledCancellationToken:()=>Lie,TokenClass:()=>tG,TokenFlags:()=>Ar,TransformFlags:()=>Mn,TypeFacts:()=>fj,TypeFlags:()=>rn,TypeFormatFlags:()=>Kr,TypeMapKind:()=>gn,TypePredicateKind:()=>Xr,TypeReferenceSerializationKind:()=>Qr,UnionReduction:()=>qr,UpToDateStatusType:()=>gW,VarianceFlags:()=>an,Version:()=>fr,VersionRange:()=>Dt,WatchDirectoryFlags:()=>On,WatchDirectoryKind:()=>wn,WatchFileKind:()=>Cn,WatchLogLevel:()=>Gz,WatchType:()=>eW,accessPrivateIdentifier:()=>LB,addEmitFlags:()=>Hg,addEmitHelper:()=>ch,addEmitHelpers:()=>lh,addInternalEmitFlags:()=>Gg,addNodeFactoryPatcher:()=>Pg,addObjectAllocatorPatcher:()=>Hp,addRange:()=>wC,addRelatedInfo:()=>qF,addSyntheticLeadingComment:()=>zE,addSyntheticTrailingComment:()=>qE,addToSeen:()=>Mp,advancedAsyncSuperHelper:()=>r0,affectsDeclarationPathOptionDeclarations:()=>I6,affectsEmitOptionDeclarations:()=>A6,allKeysStartWithDot:()=>GO,altDirectorySeparator:()=>Ii,and:()=>r4,append:()=>q3,appendIfUnique:()=>DC,arrayFrom:()=>JC,arrayIsEqualTo:()=>TC,arrayIsHomogeneous:()=>eE,arrayOf:()=>BC,arrayReverseIterator:()=>D,arrayToMap:()=>$,arrayToMultiMap:()=>zC,arrayToNumericMap:()=>X,assertType:()=>Ue,assign:()=>q,asyncSuperHelper:()=>t0,attachFileToDiagnostics:()=>Yp,base64decode:()=>$d,base64encode:()=>Gd,binarySearch:()=>MC,binarySearchKey:()=>E,bindSourceFile:()=>CM,breakIntoCharacterSpans:()=>EZ,breakIntoWordSpans:()=>PZ,buildLinkParts:()=>eQ,buildOpts:()=>U6,buildOverload:()=>Hye,bundlerModuleNameResolver:()=>xO,canBeConvertedToAsync:()=>ZZ,canHaveDecorators:()=>b9,canHaveExportModifier:()=>pE,canHaveFlowNode:()=>iN,canHaveIllegalDecorators:()=>g9,canHaveIllegalModifiers:()=>h9,canHaveIllegalType:()=>Ly,canHaveIllegalTypeParameters:()=>Ry,canHaveJSDoc:()=>aN,canHaveLocals:()=>t8,canHaveModifiers:()=>v9,canHaveModuleSpecifier:()=>G5,canHaveSymbol:()=>e8,canIncludeBindAndCheckDiagnostics:()=>KF,canJsonReportNoInputFiles:()=>Q9,canProduceDiagnostics:()=>JJ,canUsePropertyAccess:()=>mE,canWatchAffectingLocation:()=>xV,canWatchAtTypes:()=>yV,canWatchDirectoryOrFile:()=>gV,canWatchDirectoryOrFilePath:()=>hV,cartesianProduct:()=>o4,cast:()=>GC,chainBundle:()=>lB,chainDiagnosticMessages:()=>hF,changeAnyExtension:()=>ca,changeCompilerHostLikeToUseCache:()=>aq,changeExtension:()=>Sm,changeFullExtension:()=>la,changesAffectModuleResolution:()=>rl,changesAffectingProgramStructure:()=>nl,characterCodeToRegularExpressionFlag:()=>za,childIsDecorated:()=>O_,classElementOrClassElementParameterIsDecorated:()=>_5,classHasClassThisAssignment:()=>XB,classHasDeclaredOrExplicitlyAssignedName:()=>nJ,classHasExplicitlyAssignedName:()=>rJ,classOrConstructorParameterIsDecorated:()=>l5,classicNameResolver:()=>pL,classifier:()=>cae,cleanExtendedConfigCache:()=>Uz,clear:()=>fC,clearMap:()=>Pp,clearSharedExtendedConfigFileWatcher:()=>qz,climbPastPropertyAccess:()=>xG,clone:()=>Y,cloneCompilerOptions:()=>z$,closeFileWatcher:()=>Np,closeFileWatcherOf:()=>Qz,codefix:()=>_ae,collapseTextChangeRangesAcrossMultipleVersions:()=>Qo,collectExternalModuleInfo:()=>pB,combine:()=>R,combinePaths:()=>Yi,commandLineOptionOfCustomType:()=>J6,commentPragmas:()=>Kn,commonOptionsWithBuild:()=>w6,compact:()=>Re,compareBooleans:()=>De,compareDataObjects:()=>Ep,compareDiagnostics:()=>vF,compareEmitHelpers:()=>kh,compareNumberOfDirectorySeparators:()=>ym,comparePaths:()=>y4,comparePathsCaseInsensitive:()=>pa,comparePathsCaseSensitive:()=>da,comparePatternKeys:()=>XO,compareProperties:()=>Ne,compareStringsCaseInsensitive:()=>he,compareStringsCaseInsensitiveEslintCompatible:()=>ye,compareStringsCaseSensitive:()=>ve,compareStringsCaseSensitiveUI:()=>we,compareTextSpans:()=>fe,compareValues:()=>XC,compilerOptionsAffectDeclarationPath:()=>Nf,compilerOptionsAffectEmit:()=>wf,compilerOptionsAffectSemanticDiagnostics:()=>Cf,compilerOptionsDidYouMeanDiagnostics:()=>n3,compilerOptionsIndicateEsModules:()=>uX,computeCommonSourceDirectoryOfFilenames:()=>eq,computeLineAndCharacterOfPosition:()=>Ha,computeLineOfPosition:()=>Ka,computeLineStarts:()=>qa,computePositionOfLineAndCharacter:()=>Va,computeSignatureWithDiagnostics:()=>tV,computeSuggestionDiagnostics:()=>UZ,computedOptions:()=>pf,concatenate:()=>xC,concatenateDiagnosticMessageChains:()=>yF,consumesNodeCoreModules:()=>KQ,contains:()=>dC,containsIgnoredPath:()=>Um,containsObjectRestOrSpread:()=>bv,containsParseError:()=>O8,containsPath:()=>fa,convertCompilerOptionsForTelemetry:()=>CI,convertCompilerOptionsFromJson:()=>rI,convertJsonOption:()=>_I,convertToBase64:()=>Kd,convertToJson:()=>O3,convertToObject:()=>I3,convertToOptionsWithAbsolutePaths:()=>O9,convertToRelativePath:()=>ha,convertToTSConfig:()=>D9,convertTypeAcquisitionFromJson:()=>nI,copyComments:()=>fQ,copyEntries:()=>E8,copyLeadingComments:()=>hQ,copyProperties:()=>te,copyTrailingAsLeadingComments:()=>vQ,copyTrailingComments:()=>yQ,couldStartTrivia:()=>ro,countWhere:()=>pC,createAbstractBuilder:()=>pV,createAccessorPropertyBackingField:()=>fv,createAccessorPropertyGetRedirector:()=>mv,createAccessorPropertySetRedirector:()=>gv,createBaseNodeFactory:()=>Sg,createBinaryExpressionTrampoline:()=>y9,createBuilderProgram:()=>rV,createBuilderProgramUsingIncrementalBuildInfo:()=>sV,createBuilderStatusReporter:()=>kW,createCacheableExportInfoMap:()=>xY,createCachedDirectoryStructureHost:()=>Bz,createClassifier:()=>IY,createCommentDirectivesMap:()=>El,createCompilerDiagnostic:()=>gF,createCompilerDiagnosticForInvalidCustomType:()=>G6,createCompilerDiagnosticFromMessageChain:()=>Zp,createCompilerHost:()=>tq,createCompilerHostFromProgramHost:()=>rW,createCompilerHostWorker:()=>iq,createDetachedDiagnostic:()=>pF,createDiagnosticCollection:()=>tD,createDiagnosticForFileFromMessageChain:()=>g7,createDiagnosticForNode:()=>$3,createDiagnosticForNodeArray:()=>p7,createDiagnosticForNodeArrayFromMessageChain:()=>m7,createDiagnosticForNodeFromMessageChain:()=>f7,createDiagnosticForNodeInSourceFile:()=>t_,createDiagnosticForRange:()=>i_,createDiagnosticMessageChainFromDiagnostic:()=>h7,createDiagnosticReporter:()=>PV,createDocumentPositionMapper:()=>iB,createDocumentRegistry:()=>aZ,createDocumentRegistryInternal:()=>oZ,createEmitAndSemanticDiagnosticsBuilderProgram:()=>dV,createEmitHelperFactory:()=>Sh,createEmptyExports:()=>l9,createEvaluator:()=>AE,createExpressionForJsxElement:()=>oy,createExpressionForJsxFragment:()=>sy,createExpressionForObjectLiteralElementLike:()=>uy,createExpressionForPropertyName:()=>_y,createExpressionFromEntityName:()=>ly,createExternalHelpersImportDeclarationIfNeeded:()=>ky,createFileDiagnostic:()=>fF,createFileDiagnosticFromMessageChain:()=>n_,createFlowNode:()=>TL,createForOfBindingStatement:()=>cy,createFutureSourceFile:()=>yY,createGetCanonicalFileName:()=>Le,createGetIsolatedDeclarationErrors:()=>UJ,createGetSourceFile:()=>rq,createGetSymbolAccessibilityDiagnosticForNode:()=>qJ,createGetSymbolAccessibilityDiagnosticForNodeName:()=>zJ,createGetSymbolWalker:()=>EM,createIncrementalCompilerHost:()=>dW,createIncrementalProgram:()=>pW,createJsxFactoryExpression:()=>ay,createLanguageService:()=>jie,createLanguageServiceSourceFile:()=>Pie,createMemberAccessForPropertyName:()=>ry,createModeAwareCache:()=>oO,createModeAwareCacheKey:()=>aO,createModeMismatchDetails:()=>I8,createModuleNotFoundChain:()=>A8,createModuleResolutionCache:()=>uO,createModuleResolutionLoader:()=>Aq,createModuleResolutionLoaderUsingGlobalCache:()=>DV,createModuleSpecifierResolutionHost:()=>dX,createMultiMap:()=>VC,createNameResolver:()=>LE,createNodeConverters:()=>Cg,createNodeFactory:()=>Ag,createOptionNameMap:()=>W6,createOverload:()=>Wye,createPackageJsonImportFilter:()=>HQ,createPackageJsonInfo:()=>WQ,createParenthesizerRules:()=>kg,createPatternMatcher:()=>hZ,createPrinter:()=>Lz,createPrinterWithDefaults:()=>Pz,createPrinterWithRemoveComments:()=>Az,createPrinterWithRemoveCommentsNeverAsciiEscape:()=>Iz,createPrinterWithRemoveCommentsOmitTrailingSemicolon:()=>Oz,createProgram:()=>Gq,createProgramDiagnostics:()=>sU,createProgramHost:()=>aW,createPropertyNameNodeForIdentifierOrLiteral:()=>_E,createQueue:()=>ie,createRange:()=>np,createRedirectedBuilderProgram:()=>_V,createResolutionCache:()=>FV,createRuntimeTypeSerializer:()=>fJ,createScanner:()=>N4,createSemanticDiagnosticsBuilderProgram:()=>uV,createSet:()=>ae,createSolutionBuilder:()=>NW,createSolutionBuilderHost:()=>CW,createSolutionBuilderWithWatch:()=>DW,createSolutionBuilderWithWatchHost:()=>wW,createSortedArray:()=>S,createSourceFile:()=>Kv,createSourceMapGenerator:()=>zj,createSourceMapSource:()=>qg,createSuperAccessVariableStatement:()=>yJ,createSymbolTable:()=>C8,createSymlinkCache:()=>Ef,createSyntacticTypeNodeBuilder:()=>fK,createSystemWatchFunctions:()=>Di,createTextChange:()=>Z$,createTextChangeFromStartLength:()=>Y$,createTextChangeRange:()=>$o,createTextRangeFromNode:()=>$$,createTextRangeFromSpan:()=>Q$,createTextSpan:()=>Wo,createTextSpanFromBounds:()=>Ho,createTextSpanFromNode:()=>K$,createTextSpanFromRange:()=>X$,createTextSpanFromStringLiteralLikeContent:()=>G$,createTextWriter:()=>aD,createTokenRange:()=>cp,createTypeChecker:()=>Cj,createTypeReferenceDirectiveResolutionCache:()=>dO,createTypeReferenceResolutionLoader:()=>Lq,createWatchCompilerHost:()=>fW,createWatchCompilerHostOfConfigFile:()=>cW,createWatchCompilerHostOfFilesAndCompilerOptions:()=>lW,createWatchFactory:()=>tW,createWatchHost:()=>ZV,createWatchProgram:()=>mW,createWatchStatusReporter:()=>LV,createWriteFileMeasuringIO:()=>nq,declarationNameToString:()=>c7,decodeMappings:()=>$j,decodedTextSpanIntersectsWith:()=>Jo,deduplicate:()=>kC,defaultHoverMaximumTruncationLength:()=>el,defaultInitCompilerOptions:()=>K6,defaultMaximumTruncationLength:()=>x8,diagnosticCategoryName:()=>Sn,diagnosticToString:()=>uY,diagnosticsEqualityComparer:()=>rf,directoryProbablyExists:()=>Zd,directorySeparator:()=>Ai,displayPart:()=>zX,displayPartsToString:()=>wie,disposeEmitNodes:()=>Vg,documentSpansEqual:()=>PX,dumpTracingLegend:()=>Tr,elementAt:()=>Me,elideNodes:()=>lv,emitDetachedComments:()=>Nd,emitFiles:()=>Nz,emitFilesAndReportErrors:()=>$V,emitFilesAndReportErrorsAndGetExitStatus:()=>XV,emitModuleKindIsNonNodeESM:()=>EF,emitNewLineBeforeLeadingCommentOfPosition:()=>wd,emitResolverSkipsTypeChecking:()=>wz,emitSkippedWithNoDiagnostics:()=>Zq,emptyArray:()=>R3,emptyFileSystemEntries:()=>Em,emptyMap:()=>f,emptyOptions:()=>JK,endsWith:()=>Fe,ensurePathIsNonModuleName:()=>sa,ensureScriptKind:()=>Qf,ensureTrailingDirectorySeparator:()=>oa,entityNameToString:()=>d7,enumerateInsertsAndDeletes:()=>Ve,equalOwnProperties:()=>U,equateStringsCaseInsensitive:()=>ur,equateStringsCaseSensitive:()=>dr,equateValues:()=>$C,escapeJsxAttributeString:()=>Yu,escapeLeadingUnderscores:()=>j4,escapeNonAsciiString:()=>Ku,escapeSnippetText:()=>Wm,escapeString:()=>rD,escapeTemplateSubstitution:()=>Mu,evaluatorResult:()=>PE,every:()=>sC,exclusivelyPrefixedNodeCoreModules:()=>rg,executeCommandLine:()=>VH,expandPreOrPostfixIncrementOrDecrementExpression:()=>dy,explainFiles:()=>UV,explainIfFileIsRedirectAndImpliedFormat:()=>VV,exportAssignmentIsAlias:()=>FN,expressionResultIsUnused:()=>iE,extend:()=>ee,extensionFromPath:()=>Dm,extensionIsTS:()=>Nm,extensionsNotSupportingExtensionlessResolution:()=>cm,externalHelpersModuleNameText:()=>b8,factory:()=>Q3,fileExtensionIs:()=>p4,fileExtensionIsOneOf:()=>f4,fileIncludeReasonToDiagnostics:()=>KV,fileShouldUseJavaScriptRequire:()=>gY,filter:()=>B3,filterMutate:()=>p,filterSemanticDiagnostics:()=>tU,find:()=>cC,findAncestor:()=>H3,findBestPatternMatch:()=>ZC,findChildOfKind:()=>QG,findComputedPropertyNameCacheAssignment:()=>hv,findConfigFile:()=>Yz,findConstructorDeclaration:()=>OE,findContainingList:()=>YG,findDiagnosticForNode:()=>XQ,findFirstNonJsxWhitespaceToken:()=>p$,findIndex:()=>_C,findLast:()=>lC,findLastIndex:()=>uC,findListItemInfo:()=>$G,findModifier:()=>NX,findNextToken:()=>m$,findPackageJson:()=>VQ,findPackageJsons:()=>UQ,findPrecedingMatchingToken:()=>w$,findPrecedingToken:()=>g$,findSuperStatementIndexPath:()=>SB,findTokenOnLeftOfPosition:()=>f$,findUseStrictPrologue:()=>_9,first:()=>AC,firstDefined:()=>oC,firstDefinedIterator:()=>sr,firstIterator:()=>IC,firstOrOnly:()=>tY,firstOrUndefined:()=>EC,firstOrUndefinedIterator:()=>PC,fixupCompilerOptions:()=>lee,flatMap:()=>hC,flatMapIterator:()=>g,flatMapToMutable:()=>y,flatten:()=>gC,flattenCommaList:()=>vv,flattenDestructuringAssignment:()=>JB,flattenDestructuringBinding:()=>UB,flattenDiagnosticMessageText:()=>xq,forEach:()=>j3,forEachAncestor:()=>al,forEachAncestorDirectory:()=>va,forEachAncestorDirectoryStoppingAtGlobalCache:()=>rL,forEachChild:()=>S9,forEachChildRecursively:()=>k9,forEachDynamicImportOrRequireCall:()=>ig,forEachEmittedFile:()=>sz,forEachEnclosingBlockScopeContainer:()=>s7,forEachEntry:()=>D8,forEachExternalModuleToImportFrom:()=>TY,forEachImportClauseDeclaration:()=>Z_,forEachKey:()=>F8,forEachLeadingCommentRange:()=>_o,forEachNameInAccessChainWalkingLeft:()=>zp,forEachNameOfDefaultExport:()=>AY,forEachOptionsSyntaxByName:()=>dg,forEachProjectReference:()=>lg,forEachPropertyAssignment:()=>N_,forEachResolvedProjectReference:()=>cg,forEachReturnStatement:()=>P7,forEachRight:()=>O,forEachTrailingCommentRange:()=>uo,forEachTsConfigPropArray:()=>E_,forEachUnique:()=>IX,forEachYieldExpression:()=>A7,formatColorAndReset:()=>hq,formatDiagnostic:()=>cq,formatDiagnostics:()=>sq,formatDiagnosticsWithColorAndContext:()=>bq,formatGeneratedName:()=>pv,formatGeneratedNamePart:()=>uv,formatLocation:()=>vq,formatMessage:()=>mF,formatStringFromArgs:()=>Gp,formatting:()=>A0e,generateDjb2Hash:()=>$n,generateTSConfig:()=>I9,getAdjustedReferenceLocation:()=>s$,getAdjustedRenameLocation:()=>c$,getAliasDeclarationFromName:()=>NN,getAllAccessorDeclarations:()=>kd,getAllDecoratorsOfClass:()=>FB,getAllDecoratorsOfClassElement:()=>EB,getAllJSDocTags:()=>nw,getAllJSDocTagsOfKind:()=>Rs,getAllKeys:()=>B,getAllProjectOutputs:()=>kz,getAllSuperTypeNodes:()=>pu,getAllowImportingTsExtensions:()=>ff,getAllowJSCompilerOption:()=>bf,getAllowSyntheticDefaultImports:()=>CF,getAncestor:()=>RN,getAnyExtensionFromPath:()=>g4,getAreDeclarationMapsEnabled:()=>vf,getAssignedExpandoInitializer:()=>P5,getAssignedName:()=>us,getAssignmentDeclarationKind:()=>B5,getAssignmentDeclarationPropertyAccessKind:()=>V5,getAssignmentTargetKind:()=>fN,getAutomaticTypeDirectiveNames:()=>QI,getBaseFileName:()=>Hi,getBinaryOperatorPrecedence:()=>Lu,getBuildInfo:()=>Fz,getBuildInfoFileVersionMap:()=>cV,getBuildInfoText:()=>Dz,getBuildOrderFromAnyBuildOrder:()=>SW,getBuilderCreationParameters:()=>ZU,getBuilderFileEmit:()=>wU,getCanonicalDiagnostic:()=>y7,getCheckFlags:()=>tF,getClassExtendsHeritageElement:()=>IN,getClassLikeDeclarationOfSymbol:()=>oF,getCombinedLocalAndExportSymbolFlags:()=>nF,getCombinedModifierFlags:()=>O4,getCombinedNodeFlags:()=>L4,getCombinedNodeFlagsAlwaysIncludeJSDoc:()=>rs,getCommentRange:()=>th,getCommonSourceDirectory:()=>xz,getCommonSourceDirectoryOfConfig:()=>Sz,getCompilerOptionValue:()=>Df,getConditions:()=>$I,getConfigFileParsingDiagnostics:()=>Vq,getConstantValue:()=>oh,getContainerFlags:()=>DM,getContainerNode:()=>LG,getContainingClass:()=>H7,getContainingClassExcludingClassDecorators:()=>$7,getContainingClassStaticBlock:()=>K7,getContainingFunction:()=>W7,getContainingFunctionDeclaration:()=>P_,getContainingFunctionOrClassStaticBlock:()=>G7,getContainingNodeArray:()=>Vm,getContainingObjectLiteralElement:()=>Jie,getContextualTypeFromParent:()=>SQ,getContextualTypeFromParentOrAncestorTypeNode:()=>r$,getDeclarationDiagnostics:()=>VJ,getDeclarationEmitExtensionForPath:()=>_d,getDeclarationEmitOutputFilePath:()=>cd,getDeclarationEmitOutputFilePathWorker:()=>ld,getDeclarationFileExtension:()=>N9,getDeclarationFromName:()=>uu,getDeclarationModifierFlagsFromSymbol:()=>rF,getDeclarationOfKind:()=>k8,getDeclarationsOfKind:()=>T8,getDeclaredExpandoInitializer:()=>E5,getDecorators:()=>H4,getDefaultCompilerOptions:()=>Nie,getDefaultFormatCodeSettings:()=>GK,getDefaultLibFileName:()=>Po,getDefaultLibFilePath:()=>qie,getDefaultLikeExportInfo:()=>EY,getDefaultLikeExportNameFromDeclaration:()=>nY,getDefaultResolutionModeForFileWorker:()=>Yq,getDiagnosticText:()=>_3,getDiagnosticsWithinSpan:()=>QQ,getDirectoryPath:()=>m4,getDirectoryToWatchFailedLookupLocation:()=>SV,getDirectoryToWatchFailedLookupLocationFromTypeRoot:()=>CV,getDocumentPositionMapper:()=>JZ,getDocumentSpansEqualityComparer:()=>AX,getESModuleInterop:()=>TF,getEditsForFileRename:()=>lZ,getEffectiveBaseTypeNode:()=>AN,getEffectiveConstraintOfTypeParameter:()=>ow,getEffectiveContainerForJSDocTemplateTag:()=>sN,getEffectiveImplementsTypeNodes:()=>ON,getEffectiveInitializer:()=>F5,getEffectiveJSDocHost:()=>_N,getEffectiveModifierFlags:()=>ID,getEffectiveModifierFlagsAlwaysIncludeJSDoc:()=>Ad,getEffectiveModifierFlagsNoCache:()=>Rd,getEffectiveReturnTypeNode:()=>hD,getEffectiveSetAccessorTypeAnnotationNode:()=>vD,getEffectiveTypeAnnotationNode:()=>gD,getEffectiveTypeParameterDeclarations:()=>aw,getEffectiveTypeRoots:()=>qI,getElementOrPropertyAccessArgumentExpressionOrName:()=>K_,getElementOrPropertyAccessName:()=>U5,getElementsOfBindingOrAssignmentPattern:()=>Iy,getEmitDeclarations:()=>NF,getEmitFlags:()=>Ml,getEmitHelpers:()=>uh,getEmitModuleDetectionKind:()=>mf,getEmitModuleFormatOfFileWorker:()=>Xq,getEmitModuleKind:()=>xF,getEmitModuleResolutionKind:()=>SF,getEmitScriptTarget:()=>bF,getEmitStandardClassFields:()=>OF,getEnclosingBlockScopeContainer:()=>o7,getEnclosingContainer:()=>a7,getEncodedSemanticClassifications:()=>jY,getEncodedSyntacticClassifications:()=>qY,getEndLinePosition:()=>hl,getEntityNameFromTypeNode:()=>o5,getEntrypointsFromPackageJsonInfo:()=>JO,getErrorCountForSummary:()=>MV,getErrorSpanForNode:()=>x7,getErrorSummaryText:()=>zV,getEscapedTextOfIdentifierOrLiteral:()=>WN,getEscapedTextOfJsxAttributeName:()=>SE,getEscapedTextOfJsxNamespacedName:()=>TE,getExpandoInitializer:()=>A5,getExportAssignmentExpression:()=>EN,getExportInfoMap:()=>FY,getExportNeedsImportStarHelper:()=>_B,getExpressionAssociativity:()=>Fu,getExpressionPrecedence:()=>Pu,getExternalHelpersModuleName:()=>xy,getExternalModuleImportEqualsDeclarationExpression:()=>h5,getExternalModuleName:()=>Q5,getExternalModuleNameFromDeclaration:()=>ad,getExternalModuleNameFromPath:()=>od,getExternalModuleNameLiteral:()=>Cy,getExternalModuleRequireArgument:()=>y5,getFallbackOptions:()=>Xz,getFileEmitOutput:()=>cU,getFileMatcherPatterns:()=>Gf,getFileNamesFromConfigSpecs:()=>hI,getFileWatcherEventKind:()=>ui,getFilesInErrorForSummary:()=>jV,getFirstConstructorWithBody:()=>lD,getFirstIdentifier:()=>VD,getFirstNonSpaceCharacterPosition:()=>dQ,getFirstProjectOutput:()=>Cz,getFixableErrorSpanExpression:()=>ZQ,getFormatCodeSettingsForWriting:()=>dY,getFullWidth:()=>ol,getFunctionFlags:()=>jN,getHeritageClause:()=>fu,getHostSignatureFromJSDoc:()=>lN,getIdentifierAutoGenerate:()=>vh,getIdentifierGeneratedImportReference:()=>WE,getIdentifierTypeArguments:()=>VE,getImmediatelyInvokedFunctionExpression:()=>t5,getImpliedNodeFormatForEmitWorker:()=>Qq,getImpliedNodeFormatForFile:()=>Wq,getImpliedNodeFormatForFileWorker:()=>Hq,getImportNeedsImportDefaultHelper:()=>dB,getImportNeedsImportStarHelper:()=>uB,getIndentString:()=>ed,getInferredLibraryNameResolveFrom:()=>jq,getInitializedVariables:()=>Tp,getInitializerOfBinaryExpression:()=>W5,getInitializerOfBindingOrAssignmentElement:()=>Ny,getInterfaceBaseTypeNodes:()=>LN,getInternalEmitFlags:()=>jl,getInvokedExpression:()=>s5,getIsFileExcluded:()=>DY,getIsolatedModules:()=>kF,getJSDocAugmentsTag:()=>ys,getJSDocClassTag:()=>X4,getJSDocCommentRanges:()=>h_,getJSDocCommentsAndTags:()=>nu,getJSDocDeprecatedTag:()=>Q4,getJSDocDeprecatedTagNoCache:()=>Fs,getJSDocEnumTag:()=>Y4,getJSDocHost:()=>uN,getJSDocImplementsTags:()=>vs,getJSDocOverloadTags:()=>cN,getJSDocOverrideTagNoCache:()=>Ds,getJSDocParameterTags:()=>G4,getJSDocParameterTagsNoCache:()=>ps,getJSDocPrivateTag:()=>Ss,getJSDocPrivateTagNoCache:()=>ks,getJSDocProtectedTag:()=>Ts,getJSDocProtectedTagNoCache:()=>Cs,getJSDocPublicTag:()=>bs,getJSDocPublicTagNoCache:()=>xs,getJSDocReadonlyTag:()=>ws,getJSDocReadonlyTagNoCache:()=>Ns,getJSDocReturnTag:()=>Es,getJSDocReturnType:()=>Is,getJSDocRoot:()=>dN,getJSDocSatisfiesExpressionType:()=>bE,getJSDocSatisfiesTag:()=>As,getJSDocTags:()=>rw,getJSDocTemplateTag:()=>Ps,getJSDocThisTag:()=>Z4,getJSDocType:()=>tw,getJSDocTypeAliasName:()=>Oy,getJSDocTypeAssertionType:()=>p9,getJSDocTypeParameterDeclarations:()=>yD,getJSDocTypeParameterTags:()=>gs,getJSDocTypeParameterTagsNoCache:()=>hs,getJSDocTypeTag:()=>ew,getJSXImplicitImportBase:()=>RF,getJSXRuntimeImport:()=>MF,getJSXTransformEnabled:()=>LF,getKeyForCompilerOptions:()=>eO,getLanguageVariant:()=>of,getLastChild:()=>Rp,getLeadingCommentRanges:()=>go,getLeadingCommentRangesOfNode:()=>g_,getLeftmostAccessExpression:()=>uF,getLeftmostExpression:()=>qp,getLibFileNameFromLibReference:()=>sg,getLibNameFromLibReference:()=>og,getLibraryNameFromLibFileName:()=>Bq,getLineAndCharacterOfPosition:()=>k4,getLineInfo:()=>Wj,getLineOfLocalPosition:()=>vd,getLineStartPositionForPosition:()=>BG,getLineStarts:()=>Wa,getLinesBetweenPositionAndNextNonWhitespaceCharacter:()=>bp,getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter:()=>vp,getLinesBetweenPositions:()=>Ga,getLinesBetweenRangeEndAndRangeStart:()=>fp,getLinesBetweenRangeEndPositions:()=>mp,getLiteralText:()=>Jl,getLocalNameForExternalImport:()=>Ty,getLocalSymbolForExportDefault:()=>Wd,getLocaleSpecificMessage:()=>Qp,getLocaleTimeString:()=>OV,getMappedContextSpan:()=>MX,getMappedDocumentSpan:()=>RX,getMappedLocation:()=>LX,getMatchedFileSpec:()=>WV,getMatchedIncludeSpec:()=>HV,getMeaningFromDeclaration:()=>cG,getMeaningFromLocation:()=>lG,getMembersOfDeclaration:()=>O7,getModeForFileReference:()=>Sq,getModeForResolutionAtIndex:()=>kq,getModeForUsageLocation:()=>Cq,getModifiedTime:()=>ei,getModifiers:()=>K4,getModuleInstanceState:()=>xL,getModuleNameStringLiteralAt:()=>oU,getModuleSpecifierEndingPreference:()=>mm,getModuleSpecifierResolverHost:()=>pX,getNameForExportedSymbol:()=>rY,getNameFromImportAttribute:()=>EE,getNameFromIndexInfo:()=>l7,getNameFromPropertyName:()=>cX,getNameOfAccessExpression:()=>Bp,getNameOfCompilerOptionValue:()=>E9,getNameOfDeclaration:()=>W4,getNameOfExpando:()=>O5,getNameOfJSDocTypedef:()=>ls,getNameOfScriptTarget:()=>Tf,getNameOrArgument:()=>H_,getNameTable:()=>Bie,getNamespaceDeclarationNode:()=>Y5,getNewLineCharacter:()=>rp,getNewLineKind:()=>_Y,getNewLineOrDefaultFromHost:()=>rQ,getNewTargetContainer:()=>Z7,getNextJSDocCommentLocation:()=>au,getNodeChildren:()=>Y1,getNodeForGeneratedName:()=>_v,getNodeId:()=>Sj,getNodeKind:()=>RG,getNodeModifiers:()=>I$,getNodeModulePathParts:()=>Hm,getNonAssignedNameOfDeclaration:()=>_s,getNonAssignmentOperatorForCompoundAssignment:()=>bB,getNonAugmentationDeclaration:()=>t7,getNonDecoratorTokenPosOfNode:()=>Al,getNonIncrementalBuildInfoRoots:()=>lV,getNonModifierTokenPosOfNode:()=>J8,getNormalizedAbsolutePath:()=>h4,getNormalizedAbsolutePathWithoutRoot:()=>na,getNormalizedPathComponents:()=>ea,getObjectFlags:()=>sF,getOperatorAssociativity:()=>Eu,getOperatorPrecedence:()=>Ou,getOptionFromName:()=>a3,getOptionsForLibraryResolution:()=>pO,getOptionsNameMap:()=>H6,getOptionsSyntaxByArrayElementValue:()=>_g,getOptionsSyntaxByValue:()=>ug,getOrCreateEmitNode:()=>Ug,getOrUpdate:()=>vC,getOriginalNode:()=>R4,getOriginalNodeId:()=>oB,getOutputDeclarationFileName:()=>fz,getOutputDeclarationFileNameWorker:()=>mz,getOutputExtension:()=>dz,getOutputFileNames:()=>Tz,getOutputJSFileNameWorker:()=>hz,getOutputPathsFor:()=>_z,getOwnEmitOutputFilePath:()=>sd,getOwnKeys:()=>j,getOwnValues:()=>z,getPackageJsonTypesVersionsPaths:()=>zI,getPackageNameFromTypesPackageName:()=>_L,getPackageScopeForPath:()=>qO,getParameterSymbolFromJSDoc:()=>oN,getParentNodeInSpan:()=>wX,getParseTreeNode:()=>M4,getParsedCommandLineOfConfigFile:()=>u3,getPathComponents:()=>Gi,getPathFromPathComponents:()=>$i,getPathUpdater:()=>_Z,getPathsBasePath:()=>pd,getPatternFromSpec:()=>Wf,getPendingEmitKindWithSeen:()=>jU,getPositionOfLineAndCharacter:()=>Ua,getPossibleGenericSignatures:()=>D$,getPossibleOriginalInputExtensionForExtension:()=>ud,getPossibleOriginalInputPathWithoutChangingExt:()=>dd,getPossibleTypeArgumentsInfo:()=>F$,getPreEmitDiagnostics:()=>oq,getPrecedingNonSpaceCharacterPosition:()=>pQ,getPrivateIdentifier:()=>IB,getProperties:()=>kB,getProperty:()=>A,getPropertyAssignmentAliasLikeExpression:()=>PN,getPropertyNameForPropertyNameNode:()=>qN,getPropertyNameFromType:()=>NE,getPropertyNameOfBindingOrAssignmentElement:()=>Ey,getPropertySymbolFromBindingElement:()=>CX,getPropertySymbolsFromContextualType:()=>zie,getQuoteFromPreference:()=>bX,getQuotePreference:()=>vX,getRangesWhere:()=>L,getRefactorContextSpan:()=>YQ,getReferencedFileLocation:()=>qq,getRegexFromPattern:()=>$f,getRegularExpressionForWildcard:()=>qf,getRegularExpressionsForWildcards:()=>Uf,getRelativePathFromDirectory:()=>v4,getRelativePathFromFile:()=>b4,getRelativePathToDirectoryOrUrl:()=>ya,getRenameLocation:()=>gQ,getReplacementSpanForContextToken:()=>H$,getResolutionDiagnostic:()=>iU,getResolutionModeOverride:()=>Dq,getResolveJsonModule:()=>wF,getResolvePackageJsonExports:()=>gf,getResolvePackageJsonImports:()=>hf,getResolvedExternalModuleName:()=>nd,getResolvedModuleFromResolution:()=>ll,getResolvedTypeReferenceDirectiveFromResolution:()=>_l,getRestIndicatorOfBindingOrAssignmentElement:()=>Fy,getRestParameterElementType:()=>I7,getRightMostAssignedExpression:()=>q_,getRootDeclaration:()=>QN,getRootDirectoryOfResolutionCache:()=>wV,getRootLength:()=>Wi,getScriptKind:()=>lQ,getScriptKindFromFileName:()=>Yf,getScriptTargetFeatures:()=>H8,getSelectedEffectiveModifierFlags:()=>AD,getSelectedSyntacticModifierFlags:()=>Ed,getSemanticClassifications:()=>RY,getSemanticJsxChildren:()=>eD,getSetAccessorTypeAnnotationNode:()=>xd,getSetAccessorValueParameter:()=>_D,getSetExternalModuleIndicator:()=>_f,getShebang:()=>yo,getSingleVariableOfVariableStatement:()=>nN,getSnapshotText:()=>aX,getSnippetElement:()=>ph,getSourceFileOfModule:()=>L8,getSourceFileOfNode:()=>G3,getSourceFilePathInNewDir:()=>md,getSourceFileVersionAsHashFromText:()=>nW,getSourceFilesToEmit:()=>fd,getSourceMapRange:()=>$g,getSourceMapper:()=>BZ,getSourceTextOfNodeFromSourceFile:()=>Il,getSpanOfTokenAtPosition:()=>v7,getSpellingSuggestion:()=>QC,getStartPositionOfLine:()=>ml,getStartPositionOfRange:()=>yp,getStartsOnNewLine:()=>Zg,getStaticPropertiesAndClassStaticBlock:()=>CB,getStrictOptionValue:()=>IF,getStringComparer:()=>be,getSubPatternFromSpec:()=>Hf,getSuperCallFromStatement:()=>xB,getSuperContainer:()=>e5,getSupportedCodeFixes:()=>Die,getSupportedExtensions:()=>lm,getSupportedExtensionsWithJsonIfResolveJsonModule:()=>_m,getSwitchedType:()=>NQ,getSymbolId:()=>kj,getSymbolNameForPrivateIdentifier:()=>HN,getSymbolTarget:()=>_Q,getSyntacticClassifications:()=>zY,getSyntacticModifierFlags:()=>Id,getSyntacticModifierFlagsNoCache:()=>Md,getSynthesizedDeepClone:()=>jE,getSynthesizedDeepCloneWithReplacements:()=>pg,getSynthesizedDeepClones:()=>mg,getSynthesizedDeepClonesWithReplacements:()=>gg,getSyntheticLeadingComments:()=>rh,getSyntheticTrailingComments:()=>nh,getTargetLabel:()=>SG,getTargetOfBindingOrAssignmentElement:()=>Dy,getTemporaryModuleResolutionState:()=>zO,getTextOfConstantValue:()=>zl,getTextOfIdentifierOrLiteral:()=>VN,getTextOfJSDocComment:()=>iw,getTextOfJsxAttributeName:()=>kE,getTextOfJsxNamespacedName:()=>$m,getTextOfNode:()=>V8,getTextOfNodeFromSourceText:()=>Ll,getTextOfPropertyName:()=>u7,getThisContainer:()=>X7,getThisParameter:()=>uD,getTokenAtPosition:()=>u$,getTokenPosOfNode:()=>Pl,getTokenSourceMapRange:()=>Qg,getTouchingPropertyName:()=>l$,getTouchingToken:()=>_$,getTrailingCommentRanges:()=>ho,getTrailingSemicolonDeferringWriter:()=>oD,getTransformers:()=>QJ,getTsBuildInfoEmitOutputFilePath:()=>cz,getTsConfigObjectLiteralExpression:()=>D_,getTsConfigPropArrayElementValue:()=>F_,getTypeAnnotationNode:()=>Td,getTypeArgumentOrTypeParameterList:()=>O$,getTypeKeywordOfTypeOnlyImport:()=>FX,getTypeNode:()=>hh,getTypeNodeIfAccessible:()=>FQ,getTypeParameterFromJsDoc:()=>pN,getTypeParameterOwner:()=>Yo,getTypesPackageName:()=>cL,getUILocale:()=>Te,getUniqueName:()=>mQ,getUniqueSymbolId:()=>uQ,getUseDefineForClassFields:()=>FF,getWatchErrorSummaryDiagnosticMessage:()=>BV,getWatchFactory:()=>$z,group:()=>qC,groupBy:()=>Q,guessIndentation:()=>Qc,handleNoEmitOptions:()=>eU,handleWatchOptionsConfigDirTemplateSubstitution:()=>q9,hasAbstractModifier:()=>ND,hasAccessorModifier:()=>FD,hasAmbientModifier:()=>DD,hasChangesInResolutions:()=>fl,hasContextSensitiveParameters:()=>aE,hasDecorators:()=>PD,hasDocComment:()=>P$,hasDynamicName:()=>JN,hasEffectiveModifier:()=>SD,hasEffectiveModifiers:()=>bD,hasEffectiveReadonlyModifier:()=>ED,hasExtension:()=>d4,hasImplementationTSFileExtension:()=>pm,hasIndexSignature:()=>wQ,hasInferredType:()=>RE,hasInitializer:()=>d8,hasInvalidEscape:()=>Bu,hasJSDocNodes:()=>_8,hasJSDocParameterTags:()=>$4,hasJSFileExtension:()=>um,hasJsonModuleEmitEnabled:()=>PF,hasOnlyExpressionInitializer:()=>p8,hasOverrideModifier:()=>wD,hasPossibleExternalModuleReference:()=>i7,hasProperty:()=>ki,hasPropertyAccessExpressionWithName:()=>kG,hasQuestionToken:()=>Z5,hasRecordedExternalHelpers:()=>Sy,hasResolutionModeOverride:()=>FE,hasRestParameter:()=>h8,hasScopeMarker:()=>$w,hasStaticModifier:()=>CD,hasSyntacticModifier:()=>kD,hasSyntacticModifiers:()=>xD,hasTSFileExtension:()=>dm,hasTabstop:()=>Km,hasTrailingDirectorySeparator:()=>qi,hasType:()=>u8,hasTypeArguments:()=>ou,hasZeroOrOneAsteriskCharacter:()=>Ff,hostGetCanonicalFileName:()=>sD,hostUsesCaseSensitiveFileNames:()=>rd,idText:()=>J4,identifierIsThisKeyword:()=>Sd,identifierToKeywordKind:()=>z4,identity:()=>Ci,identitySourceMapConsumer:()=>aB,ignoreSourceNewlines:()=>mh,ignoredPaths:()=>di,importFromModuleSpecifier:()=>X_,importSyntaxAffectsModuleResolution:()=>uf,indexOfAnyCharCode:()=>d,indexOfNode:()=>W8,indicesOf:()=>SC,inferredTypesContainingFile:()=>Mq,injectClassNamedEvaluationHelperBlockIfMissing:()=>iJ,injectClassThisAssignmentIfMissing:()=>QB,insertImports:()=>DX,insertSorted:()=>J,insertStatementAfterCustomPrologue:()=>Nl,insertStatementAfterStandardPrologue:()=>wl,insertStatementsAfterCustomPrologue:()=>Cl,insertStatementsAfterStandardPrologue:()=>Tl,intersperse:()=>u,intrinsicTagNameToString:()=>CE,introducesArgumentsExoticObject:()=>J7,inverseJsxOptionMap:()=>S6,isAbstractConstructorSymbol:()=>Op,isAbstractModifier:()=>N0,isAccessExpression:()=>_F,isAccessibilityModifier:()=>J$,isAccessor:()=>Ow,isAccessorModifier:()=>XE,isAliasableExpression:()=>DN,isAmbientModule:()=>$8,isAmbientPropertyDeclaration:()=>Hl,isAnyDirectorySeparator:()=>Ri,isAnyImportOrBareOrAccessedRequire:()=>Ql,isAnyImportOrReExport:()=>Zl,isAnyImportOrRequireStatement:()=>Yl,isAnyImportSyntax:()=>Xl,isAnySupportedFileExtension:()=>Fm,isApplicableVersionedTypesKey:()=>ZO,isArgumentExpressionOfElementAccess:()=>EG,isArray:()=>WC,isArrayBindingElement:()=>mc,isArrayBindingOrAssignmentElement:()=>Sc,isArrayBindingOrAssignmentPattern:()=>xc,isArrayBindingPattern:()=>PP,isArrayLiteralExpression:()=>IP,isArrayLiteralOrObjectLiteralDestructuringPattern:()=>q$,isArrayTypeNode:()=>P0,isArrowFunction:()=>qP,isAsExpression:()=>W0,isAssertClause:()=>u1,isAssertEntry:()=>d1,isAssertionExpression:()=>Kw,isAssertsKeyword:()=>k0,isAssignmentDeclaration:()=>D5,isAssignmentExpression:()=>zD,isAssignmentOperator:()=>BD,isAssignmentPattern:()=>Jw,isAssignmentTarget:()=>mN,isAsteriskToken:()=>f0,isAsyncFunction:()=>ku,isAsyncModifier:()=>S0,isAutoAccessorPropertyDeclaration:()=>Lw,isAwaitExpression:()=>VP,isAwaitKeyword:()=>T0,isBigIntLiteral:()=>KE,isBinaryExpression:()=>tC,isBinaryLogicalOperator:()=>RD,isBinaryOperatorToken:()=>Hy,isBindableObjectDefinePropertyCall:()=>J5,isBindableStaticAccessExpression:()=>W_,isBindableStaticElementAccessExpression:()=>z5,isBindableStaticNameExpression:()=>q5,isBindingElement:()=>AP,isBindingElementOfBareOrAccessedRequire:()=>w5,isBindingName:()=>sc,isBindingOrAssignmentElement:()=>hc,isBindingOrAssignmentPattern:()=>yc,isBindingPattern:()=>Bw,isBlock:()=>eA,isBlockLike:()=>hY,isBlockOrCatchScoped:()=>K8,isBlockScope:()=>Kl,isBlockScopedContainerTopLevel:()=>Y8,isBooleanLiteral:()=>Ew,isBreakOrContinueStatement:()=>Us,isBreakStatement:()=>t1,isBuildCommand:()=>UH,isBuildInfoFile:()=>oz,isBuilderProgram:()=>qV,isBundle:()=>C1,isCallChain:()=>cw,isCallExpression:()=>MP,isCallExpressionTarget:()=>uG,isCallLikeExpression:()=>Vw,isCallLikeOrFunctionLikeExpression:()=>Uw,isCallOrNewExpression:()=>Ww,isCallOrNewExpressionTarget:()=>pG,isCallSignatureDeclaration:()=>uP,isCallToHelper:()=>n0,isCaseBlock:()=>l1,isCaseClause:()=>k1,isCaseKeyword:()=>E0,isCaseOrDefaultClause:()=>Hc,isCatchClause:()=>jA,isCatchClauseVariableDeclaration:()=>sE,isCatchClauseVariableDeclarationOrBindingElement:()=>G8,isCheckJsEnabledForFile:()=>zF,isCircularBuildOrder:()=>xW,isClassDeclaration:()=>_A,isClassElement:()=>Aw,isClassExpression:()=>GP,isClassInstanceProperty:()=>Rw,isClassLike:()=>Iw,isClassMemberModifier:()=>oc,isClassNamedEvaluationHelperBlock:()=>tJ,isClassOrTypeElement:()=>pc,isClassStaticBlockDeclaration:()=>sP,isClassThisAssignmentBlock:()=>$B,isColonToken:()=>h0,isCommaExpression:()=>yy,isCommaListExpression:()=>$0,isCommaSequence:()=>u9,isCommaToken:()=>u0,isComment:()=>L$,isCommonJsExportPropertyAssignment:()=>j7,isCommonJsExportedExpression:()=>M7,isCompoundAssignment:()=>vB,isComputedNonLiteralName:()=>_7,isComputedPropertyName:()=>ZE,isConciseBody:()=>Ec,isConditionalExpression:()=>HP,isConditionalTypeNode:()=>TP,isConstAssertion:()=>IE,isConstTypeReference:()=>pw,isConstructSignatureDeclaration:()=>dP,isConstructorDeclaration:()=>cP,isConstructorTypeNode:()=>hP,isContextualKeyword:()=>yu,isContinueStatement:()=>e1,isCustomPrologue:()=>d_,isDebuggerStatement:()=>c1,isDeclaration:()=>r8,isDeclarationBindingElement:()=>gc,isDeclarationFileName:()=>w9,isDeclarationName:()=>CN,isDeclarationNameOfEnumOrNamespace:()=>kp,isDeclarationReadonly:()=>w7,isDeclarationStatement:()=>Bc,isDeclarationWithTypeParameterChildren:()=>$l,isDeclarationWithTypeParameters:()=>Gl,isDecorator:()=>rP,isDecoratorTarget:()=>mG,isDefaultClause:()=>T1,isDefaultImport:()=>Y_,isDefaultModifier:()=>x0,isDefaultedExpandoInitializer:()=>I5,isDeleteExpression:()=>J0,isDeleteTarget:()=>kN,isDeprecatedDeclaration:()=>cY,isDestructuringAssignment:()=>qd,isDiskPathRoot:()=>Bi,isDoStatement:()=>Y0,isDocumentRegistryEntry:()=>iZ,isDotDotDotToken:()=>_0,isDottedName:()=>WD,isDynamicName:()=>zN,isEffectiveExternalModule:()=>r7,isEffectiveStrictModeSourceFile:()=>Wl,isElementAccessChain:()=>Bs,isElementAccessExpression:()=>RP,isEmittedFileOfProgram:()=>Kz,isEmptyArrayLiteral:()=>Vd,isEmptyBindingElement:()=>es,isEmptyBindingPattern:()=>Zo,isEmptyObjectLiteral:()=>Ud,isEmptyStatement:()=>Q0,isEmptyStringLiteral:()=>L_,isEntityName:()=>Cw,isEntityNameExpression:()=>UD,isEnumConst:()=>C7,isEnumDeclaration:()=>pA,isEnumMember:()=>qA,isEqualityOperatorKind:()=>TQ,isEqualsGreaterThanToken:()=>v0,isExclamationToken:()=>m0,isExcludedFile:()=>yI,isExclusivelyTypeOnlyImportOrExport:()=>Tq,isExpandoPropertyDeclaration:()=>DE,isExportAssignment:()=>kA,isExportDeclaration:()=>TA,isExportModifier:()=>b0,isExportName:()=>my,isExportNamespaceAsDefaultDeclaration:()=>Ol,isExportOrDefaultModifier:()=>cv,isExportSpecifier:()=>wA,isExportsIdentifier:()=>R5,isExportsOrModuleExportsOrAlias:()=>NM,isExpression:()=>K3,isExpressionNode:()=>d5,isExpressionOfExternalModuleImportEqualsDeclaration:()=>OG,isExpressionOfOptionalChainRoot:()=>uw,isExpressionStatement:()=>rA,isExpressionWithTypeArguments:()=>XP,isExpressionWithTypeArgumentsInClassExtendsClause:()=>qD,isExternalModule:()=>C9,isExternalModuleAugmentation:()=>e7,isExternalModuleImportEqualsDeclaration:()=>g5,isExternalModuleIndicator:()=>Qw,isExternalModuleNameRelative:()=>D4,isExternalModuleReference:()=>NA,isExternalModuleSymbol:()=>N8,isExternalOrCommonJsModule:()=>k7,isFileLevelReservedGeneratedIdentifier:()=>nc,isFileLevelUniqueName:()=>yl,isFileProbablyExternalModule:()=>Tv,isFirstDeclarationOfSymbolParameter:()=>jX,isFixablePromiseHandler:()=>KZ,isForInOrOfStatement:()=>Yw,isForInStatement:()=>aA,isForInitializer:()=>Ac,isForOfStatement:()=>oA,isForStatement:()=>iA,isFullSourceFile:()=>R_,isFunctionBlock:()=>w_,isFunctionBody:()=>Pc,isFunctionDeclaration:()=>lA,isFunctionExpression:()=>zP,isFunctionExpressionOrArrowFunction:()=>cE,isFunctionLike:()=>Nw,isFunctionLikeDeclaration:()=>Fw,isFunctionLikeKind:()=>lc,isFunctionLikeOrClassStaticBlockDeclaration:()=>Dw,isFunctionOrConstructorTypeNode:()=>fc,isFunctionOrModuleBlock:()=>Pw,isFunctionSymbol:()=>$_,isFunctionTypeNode:()=>gP,isGeneratedIdentifier:()=>xw,isGeneratedPrivateIdentifier:()=>rc,isGetAccessor:()=>l8,isGetAccessorDeclaration:()=>lP,isGetOrSetAccessorDeclaration:()=>sw,isGlobalScopeAugmentation:()=>Z8,isGlobalSourceFile:()=>S7,isGrammarError:()=>vl,isHeritageClause:()=>MA,isHoistedFunction:()=>p_,isHoistedVariableStatement:()=>m_,isIdentifier:()=>eC,isIdentifierANonContextualKeyword:()=>bu,isIdentifierName:()=>du,isIdentifierOrThisTypeNode:()=>jy,isIdentifierPart:()=>bo,isIdentifierStart:()=>vo,isIdentifierText:()=>w4,isIdentifierTypePredicate:()=>U7,isIdentifierTypeReference:()=>ZF,isIfStatement:()=>nA,isIgnoredFileFromWildCardWatching:()=>Hz,isImplicitGlob:()=>Vf,isImportAttribute:()=>p1,isImportAttributeName:()=>tc,isImportAttributes:()=>bA,isImportCall:()=>D7,isImportClause:()=>vA,isImportDeclaration:()=>yA,isImportEqualsDeclaration:()=>hA,isImportKeyword:()=>QE,isImportMeta:()=>__,isImportOrExportSpecifier:()=>hw,isImportOrExportSpecifierName:()=>cQ,isImportSpecifier:()=>SA,isImportTypeAssertionContainer:()=>_1,isImportTypeNode:()=>FP,isImportable:()=>SY,isInComment:()=>E$,isInCompoundLikeAssignment:()=>gN,isInExpressionContext:()=>p5,isInJSDoc:()=>S5,isInJSFile:()=>X3,isInJSXText:()=>T$,isInJsonFile:()=>x5,isInNonReferenceComment:()=>V$,isInReferenceComment:()=>U$,isInRightSideOfInternalImportEqualsDeclaration:()=>_G,isInString:()=>b$,isInTemplateString:()=>k$,isInTopLevelContext:()=>Y7,isInTypeQuery:()=>fD,isIncrementalBuildInfo:()=>KU,isIncrementalBundleEmitBuildInfo:()=>HU,isIncrementalCompilation:()=>yf,isIndexSignatureDeclaration:()=>pP,isIndexedAccessTypeNode:()=>NP,isInferTypeNode:()=>O0,isInfinityOrNaNString:()=>oE,isInitializedProperty:()=>wB,isInitializedVariable:()=>Cp,isInsideJsxElement:()=>C$,isInsideJsxElementOrAttribute:()=>x$,isInsideNodeModules:()=>GQ,isInsideTemplateLiteral:()=>B$,isInstanceOfExpression:()=>YD,isInstantiatedModule:()=>Tj,isInterfaceDeclaration:()=>uA,isInternalDeclaration:()=>Zc,isInternalModuleImportEqualsDeclaration:()=>v5,isInternalName:()=>py,isIntersectionTypeNode:()=>I0,isIntrinsicJsxName:()=>iD,isIterationStatement:()=>Gw,isJSDoc:()=>I1,isJSDocAllType:()=>F1,isJSDocAugmentsTag:()=>ZA,isJSDocAuthorTag:()=>O1,isJSDocCallbackTag:()=>e9,isJSDocClassTag:()=>L1,isJSDocCommentContainingNode:()=>Kc,isJSDocConstructSignature:()=>eN,isJSDocDeprecatedTag:()=>z1,isJSDocEnumTag:()=>U1,isJSDocFunctionType:()=>$A,isJSDocImplementsTag:()=>K1,isJSDocImportTag:()=>c9,isJSDocIndexSignature:()=>k5,isJSDocLikeText:()=>kv,isJSDocLink:()=>w1,isJSDocLinkCode:()=>N1,isJSDocLinkLike:()=>g8,isJSDocLinkPlain:()=>D1,isJSDocMemberName:()=>HA,isJSDocNameReference:()=>WA,isJSDocNamepathType:()=>A1,isJSDocNamespaceBody:()=>Lc,isJSDocNode:()=>s8,isJSDocNonNullableType:()=>GA,isJSDocNullableType:()=>KA,isJSDocOptionalParameter:()=>gE,isJSDocOptionalType:()=>P1,isJSDocOverloadTag:()=>t9,isJSDocOverrideTag:()=>J1,isJSDocParameterTag:()=>r9,isJSDocPrivateTag:()=>M1,isJSDocPropertyLikeTag:()=>fw,isJSDocPropertyTag:()=>o9,isJSDocProtectedTag:()=>j1,isJSDocPublicTag:()=>R1,isJSDocReadonlyTag:()=>B1,isJSDocReturnTag:()=>V1,isJSDocSatisfiesExpression:()=>vE,isJSDocSatisfiesTag:()=>s9,isJSDocSeeTag:()=>q1,isJSDocSignature:()=>YA,isJSDocTag:()=>Gc,isJSDocTemplateTag:()=>i9,isJSDocThisTag:()=>n9,isJSDocThrowsTag:()=>G1,isJSDocTypeAlias:()=>tN,isJSDocTypeAssertion:()=>d9,isJSDocTypeExpression:()=>VA,isJSDocTypeLiteral:()=>QA,isJSDocTypeTag:()=>W1,isJSDocTypedefTag:()=>a9,isJSDocUnknownTag:()=>H1,isJSDocUnknownType:()=>E1,isJSDocVariadicType:()=>XA,isJSXTagName:()=>u5,isJsonEqual:()=>Lm,isJsonSourceFile:()=>T7,isJsxAttribute:()=>IA,isJsxAttributeLike:()=>i8,isJsxAttributeName:()=>Gm,isJsxAttributes:()=>OA,isJsxCallLike:()=>o8,isJsxChild:()=>Vc,isJsxClosingElement:()=>b1,isJsxClosingFragment:()=>x1,isJsxElement:()=>DA,isJsxExpression:()=>S1,isJsxFragment:()=>PA,isJsxNamespacedName:()=>RA,isJsxOpeningElement:()=>EA,isJsxOpeningFragment:()=>AA,isJsxOpeningLikeElement:()=>a8,isJsxOpeningLikeElementTagName:()=>gG,isJsxSelfClosingElement:()=>FA,isJsxSpreadAttribute:()=>LA,isJsxTagNameExpression:()=>Uc,isJsxText:()=>i0,isJumpStatementTarget:()=>TG,isKeyword:()=>mu,isKeywordOrPunctuation:()=>hu,isKnownSymbol:()=>KN,isLabelName:()=>wG,isLabelOfLabeledStatement:()=>CG,isLabeledStatement:()=>a1,isLateVisibilityPaintedStatement:()=>n7,isLeftHandSideExpression:()=>Hw,isLet:()=>l_,isLineBreak:()=>T4,isLiteralComputedPropertyDeclarationName:()=>wN,isLiteralExpression:()=>mw,isLiteralExpressionOfObject:()=>gw,isLiteralImportTypeNode:()=>F7,isLiteralKind:()=>$s,isLiteralNameOfPropertyDeclarationOrIndexAccess:()=>IG,isLiteralTypeLiteral:()=>Dc,isLiteralTypeNode:()=>DP,isLocalName:()=>fy,isLogicalOperator:()=>jd,isLogicalOrCoalescingAssignmentExpression:()=>Jd,isLogicalOrCoalescingAssignmentOperator:()=>Bd,isLogicalOrCoalescingBinaryExpression:()=>jD,isLogicalOrCoalescingBinaryOperator:()=>MD,isMappedTypeNode:()=>R0,isMemberName:()=>Ms,isMetaProperty:()=>YP,isMethodDeclaration:()=>oP,isMethodOrAccessor:()=>_c,isMethodSignature:()=>aP,isMinusToken:()=>p0,isMissingDeclaration:()=>h1,isMissingPackageJsonInfo:()=>ZI,isModifier:()=>Tw,isModifierKind:()=>ic,isModifierLike:()=>uc,isModuleAugmentationExternal:()=>Vl,isModuleBlock:()=>mA,isModuleBody:()=>Ic,isModuleDeclaration:()=>fA,isModuleExportName:()=>g1,isModuleExportsAccessExpression:()=>j5,isModuleIdentifier:()=>M5,isModuleName:()=>zy,isModuleOrEnumDeclaration:()=>Zw,isModuleReference:()=>qc,isModuleSpecifierLike:()=>kX,isModuleWithStringLiteralName:()=>X8,isNameOfFunctionDeclaration:()=>AG,isNameOfModuleDeclaration:()=>PG,isNamedDeclaration:()=>V4,isNamedEvaluation:()=>Nu,isNamedEvaluationSource:()=>GN,isNamedExportBindings:()=>Vs,isNamedExports:()=>CA,isNamedImportBindings:()=>Rc,isNamedImports:()=>m1,isNamedImportsOrExports:()=>Jp,isNamedTupleMember:()=>xP,isNamespaceBody:()=>Oc,isNamespaceExport:()=>xA,isNamespaceExportDeclaration:()=>gA,isNamespaceImport:()=>f1,isNamespaceReexportDeclaration:()=>m5,isNewExpression:()=>jP,isNewExpressionTarget:()=>dG,isNewScopeNode:()=>ag,isNoSubstitutionTemplateLiteral:()=>o0,isNodeArray:()=>Gs,isNodeArrayMultiLine:()=>gp,isNodeDescendantOf:()=>TN,isNodeKind:()=>Ws,isNodeLikeSystem:()=>Ke,isNodeModulesDirectory:()=>ba,isNodeWithPossibleHoistedDeclaration:()=>lu,isNonContextualKeyword:()=>vu,isNonGlobalAmbientModule:()=>Ul,isNonNullAccess:()=>yE,isNonNullChain:()=>qs,isNonNullExpression:()=>QP,isNonStaticMethodOrAccessorWithPrivateName:()=>NB,isNotEmittedStatement:()=>y1,isNullishCoalesce:()=>Js,isNumber:()=>se,isNumericLiteral:()=>HE,isNumericLiteralName:()=>lE,isObjectBindingElementWithoutPropertyName:()=>TX,isObjectBindingOrAssignmentElement:()=>bc,isObjectBindingOrAssignmentPattern:()=>vc,isObjectBindingPattern:()=>EP,isObjectLiteralElement:()=>$c,isObjectLiteralElementLike:()=>Mw,isObjectLiteralExpression:()=>OP,isObjectLiteralMethod:()=>z7,isObjectLiteralOrClassExpressionMethodOrAccessor:()=>q7,isObjectTypeDeclaration:()=>jp,isOmittedExpression:()=>$P,isOptionalChain:()=>lw,isOptionalChainRoot:()=>_w,isOptionalDeclaration:()=>hE,isOptionalJSDocPropertyLikeTag:()=>fE,isOptionalTypeNode:()=>SP,isOuterExpression:()=>vy,isOutermostOptionalChain:()=>dw,isOverrideModifier:()=>D0,isPackageJsonInfo:()=>YI,isPackedArrayLiteral:()=>qm,isParameter:()=>tP,isParameterPropertyDeclaration:()=>A4,isParameterPropertyModifier:()=>ac,isParenthesizedExpression:()=>JP,isParenthesizedTypeNode:()=>CP,isParseTreeNode:()=>os,isPartOfParameterDeclaration:()=>XN,isPartOfTypeNode:()=>E7,isPartOfTypeOnlyImportOrExportDeclaration:()=>bw,isPartOfTypeQuery:()=>f5,isPartiallyEmittedExpression:()=>G0,isPatternMatch:()=>qe,isPinnedComment:()=>Fl,isPlainJsFile:()=>R8,isPlusToken:()=>d0,isPossiblyTypeArgumentPosition:()=>N$,isPostfixUnaryExpression:()=>q0,isPrefixUnaryExpression:()=>WP,isPrimitiveLiteralValue:()=>Zm,isPrivateIdentifier:()=>$E,isPrivateIdentifierClassElementDeclaration:()=>Sw,isPrivateIdentifierPropertyAccessExpression:()=>kw,isPrivateIdentifierSymbol:()=>Cu,isProgramUptoDate:()=>Uq,isPrologueDirective:()=>u_,isPropertyAccessChain:()=>js,isPropertyAccessEntityNameExpression:()=>HD,isPropertyAccessExpression:()=>LP,isPropertyAccessOrQualifiedName:()=>qw,isPropertyAccessOrQualifiedNameOrImportTypeNode:()=>zw,isPropertyAssignment:()=>BA,isPropertyDeclaration:()=>iP,isPropertyName:()=>ww,isPropertyNameLiteral:()=>UN,isPropertySignature:()=>nP,isPrototypeAccess:()=>GD,isPrototypePropertyAssignment:()=>H5,isPunctuation:()=>gu,isPushOrUnshiftIdentifier:()=>$N,isQualifiedName:()=>YE,isQuestionDotToken:()=>y0,isQuestionOrExclamationToken:()=>My,isQuestionOrPlusOrMinusToken:()=>Jy,isQuestionToken:()=>g0,isReadonlyKeyword:()=>C0,isReadonlyKeywordOrPlusOrMinusToken:()=>By,isRecognizedTripleSlashComment:()=>Dl,isReferenceFileLocation:()=>zq,isReferencedFile:()=>Jq,isRegularExpressionLiteral:()=>a0,isRequireCall:()=>T5,isRequireVariableStatement:()=>J_,isRestParameter:()=>y8,isRestTypeNode:()=>kP,isReturnStatement:()=>r1,isReturnStatementWithFixablePromiseHandler:()=>HZ,isRightSideOfAccessExpression:()=>XD,isRightSideOfInstanceofExpression:()=>ZD,isRightSideOfPropertyAccess:()=>FG,isRightSideOfQualifiedName:()=>DG,isRightSideOfQualifiedNameOrPropertyAccess:()=>$D,isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName:()=>QD,isRootedDiskPath:()=>ji,isSameEntityName:()=>L5,isSatisfiesExpression:()=>H0,isSemicolonClassElement:()=>X0,isSetAccessor:()=>c8,isSetAccessorDeclaration:()=>_P,isShiftOperatorOrHigher:()=>qy,isShorthandAmbientModuleSymbol:()=>Q8,isShorthandPropertyAssignment:()=>JA,isSideEffectImport:()=>ME,isSignedNumericLiteral:()=>Tu,isSimpleCopiableExpression:()=>hB,isSimpleInlineableExpression:()=>yB,isSimpleParameterList:()=>MB,isSingleOrDoubleQuote:()=>N5,isSolutionConfig:()=>X9,isSourceElement:()=>Ym,isSourceFile:()=>UA,isSourceFileFromLibrary:()=>fY,isSourceFileJS:()=>b5,isSourceFileNotJson:()=>M_,isSourceMapping:()=>Qj,isSpecialPropertyDeclaration:()=>G_,isSpreadAssignment:()=>zA,isSpreadElement:()=>KP,isStatement:()=>n8,isStatementButNotDeclaration:()=>Jc,isStatementOrBlock:()=>zc,isStatementWithLocals:()=>M8,isStatic:()=>TD,isStaticModifier:()=>w0,isString:()=>HC,isStringANonContextualKeyword:()=>MN,isStringAndEmptyAnonymousObjectIntersection:()=>j$,isStringDoubleQuoted:()=>z_,isStringLiteral:()=>GE,isStringLiteralLike:()=>m8,isStringLiteralOrJsxExpression:()=>Wc,isStringLiteralOrTemplate:()=>CQ,isStringOrNumericLiteralLike:()=>BN,isStringOrRegularExpressionOrTemplateLiteral:()=>R$,isStringTextContainingNode:()=>ec,isSuperCall:()=>N7,isSuperKeyword:()=>F0,isSuperProperty:()=>r5,isSupportedSourceFileName:()=>gm,isSwitchStatement:()=>i1,isSyntaxList:()=>$1,isSyntheticExpression:()=>K0,isSyntheticReference:()=>v1,isTagName:()=>NG,isTaggedTemplateExpression:()=>BP,isTaggedTemplateTag:()=>fG,isTemplateExpression:()=>U0,isTemplateHead:()=>s0,isTemplateLiteral:()=>kc,isTemplateLiteralKind:()=>Xs,isTemplateLiteralToken:()=>Qs,isTemplateLiteralTypeNode:()=>j0,isTemplateLiteralTypeSpan:()=>M0,isTemplateMiddle:()=>c0,isTemplateMiddleOrTemplateTail:()=>Ys,isTemplateSpan:()=>ZP,isTemplateTail:()=>l0,isTextWhiteSpaceLike:()=>OX,isThis:()=>MG,isThisContainerOrFunctionBlock:()=>Q7,isThisIdentifier:()=>pD,isThisInTypeQuery:()=>mD,isThisInitializedDeclaration:()=>i5,isThisInitializedObjectBindingExpression:()=>a5,isThisProperty:()=>n5,isThisTypeNode:()=>L0,isThisTypeParameter:()=>uE,isThisTypePredicate:()=>V7,isThrowStatement:()=>o1,isToken:()=>Ks,isTokenKind:()=>Hs,isTraceEnabled:()=>NI,isTransientSymbol:()=>w8,isTrivia:()=>xu,isTryStatement:()=>s1,isTupleTypeNode:()=>bP,isTypeAlias:()=>rN,isTypeAliasDeclaration:()=>dA,isTypeAssertionExpression:()=>B0,isTypeDeclaration:()=>dE,isTypeElement:()=>dc,isTypeKeyword:()=>tX,isTypeKeywordTokenOrIdentifier:()=>nX,isTypeLiteralNode:()=>vP,isTypeNode:()=>jw,isTypeNodeKind:()=>lF,isTypeOfExpression:()=>UP,isTypeOnlyExportDeclaration:()=>Zs,isTypeOnlyImportDeclaration:()=>yw,isTypeOnlyImportOrExportDeclaration:()=>vw,isTypeOperatorNode:()=>wP,isTypeParameterDeclaration:()=>eP,isTypePredicateNode:()=>fP,isTypeQueryNode:()=>yP,isTypeReferenceNode:()=>mP,isTypeReferenceType:()=>f8,isTypeUsableAsPropertyName:()=>wE,isUMDExportSymbol:()=>cF,isUnaryExpression:()=>Cc,isUnaryExpressionWithWrite:()=>Nc,isUnicodeIdentifierStart:()=>Ra,isUnionTypeNode:()=>A0,isUrl:()=>Mi,isValidBigIntString:()=>QF,isValidESSymbolDeclaration:()=>B7,isValidTypeOnlyAliasUseSite:()=>YF,isValueSignatureDeclaration:()=>hN,isVarAwaitUsing:()=>a_,isVarConst:()=>s_,isVarConstLike:()=>c_,isVarUsing:()=>o_,isVariableDeclaration:()=>sA,isVariableDeclarationInVariableStatement:()=>R7,isVariableDeclarationInitializedToBareOrAccessedRequire:()=>C5,isVariableDeclarationInitializedToRequire:()=>j_,isVariableDeclarationList:()=>cA,isVariableLike:()=>L7,isVariableStatement:()=>tA,isVoidExpression:()=>z0,isWatchSet:()=>wp,isWhileStatement:()=>Z0,isWhiteSpaceLike:()=>$a,isWhiteSpaceSingleLine:()=>Xa,isWithStatement:()=>n1,isWriteAccess:()=>aF,isWriteOnlyAccess:()=>iF,isYieldExpression:()=>V0,jsxModeNeedsExplicitImport:()=>pY,keywordPart:()=>UX,last:()=>LC,lastOrUndefined:()=>OC,length:()=>M3,libMap:()=>T6,libs:()=>k6,lineBreakPart:()=>nQ,loadModuleFromGlobalCache:()=>gL,loadWithModeAwareCache:()=>Rq,makeIdentifierFromModuleName:()=>ql,makeImport:()=>mX,makeStringLiteral:()=>gX,mangleScopedPackageName:()=>lL,map:()=>J3,mapAllOrFail:()=>T,mapDefined:()=>yC,mapDefinedIterator:()=>v,mapEntries:()=>C,mapIterator:()=>k,mapOneOrMany:()=>eY,mapToDisplayParts:()=>iQ,matchFiles:()=>Xf,matchPatternOrExact:()=>Pm,matchedText:()=>Je,matchesExclude:()=>bI,matchesExcludeWorker:()=>xI,maxBy:()=>me,maybeBind:()=>UC,maybeSetLocalizedDiagnosticMessages:()=>Xp,memoize:()=>wi,memoizeOne:()=>Ni,min:()=>ge,minAndMax:()=>UF,missingFileModifiedTime:()=>Zn,modifierToFlag:()=>LD,modifiersToFlags:()=>OD,moduleExportNameIsDefault:()=>U8,moduleExportNameTextEscaped:()=>q8,moduleExportNameTextUnescaped:()=>z8,moduleOptionDeclaration:()=>D6,moduleResolutionIsEqualTo:()=>cl,moduleResolutionNameAndModeGetter:()=>Pq,moduleResolutionOptionDeclarations:()=>O6,moduleResolutionSupportsPackageJsonExportsAndImports:()=>kf,moduleResolutionUsesNodeModules:()=>fX,moduleSpecifierToValidIdentifier:()=>aY,moduleSpecifiers:()=>PM,moduleSupportsImportAttributes:()=>AF,moduleSymbolToValidIdentifier:()=>iY,moveEmitHelpers:()=>dh,moveRangeEnd:()=>ip,moveRangePastDecorators:()=>op,moveRangePastModifiers:()=>sp,moveRangePos:()=>ap,moveSyntheticComments:()=>ah,mutateMap:()=>Ip,mutateMapSkippingNewValues:()=>Ap,needsParentheses:()=>xQ,needsScopeMarker:()=>Xw,newCaseClauseTracker:()=>mY,newPrivateEnvironment:()=>AB,noEmitNotification:()=>rz,noEmitSubstitution:()=>tz,noTransformers:()=>XJ,noTruncationMaximumTruncationLength:()=>S8,nodeCanBeDecorated:()=>c5,nodeCoreModules:()=>ng,nodeHasName:()=>U4,nodeIsDecorated:()=>A_,nodeIsMissing:()=>j8,nodeIsPresent:()=>B8,nodeIsSynthesized:()=>ZN,nodeModuleNameResolver:()=>SO,nodeModulesPathPart:()=>DO,nodeNextJsonConfigResolver:()=>kO,nodeOrChildIsDecorated:()=>I_,nodeOverlapsWithStartEnd:()=>WG,nodePosToString:()=>gl,nodeSeenTracker:()=>iX,nodeStartsNewLexicalEnvironment:()=>YN,noop:()=>cr,noopFileWatcher:()=>QV,normalizePath:()=>ta,normalizeSlashes:()=>Xi,normalizeSpans:()=>Vo,not:()=>i4,notImplemented:()=>ue,notImplementedResolver:()=>Ez,nullNodeConverters:()=>Ng,nullParenthesizerRules:()=>Tg,nullTransformationContext:()=>iz,objectAllocator:()=>dF,operatorPart:()=>WX,optionDeclarations:()=>E6,optionMapToObject:()=>F9,optionsAffectingProgramStructure:()=>R6,optionsForBuild:()=>q6,optionsForWatch:()=>C6,optionsHaveChanges:()=>il,or:()=>n4,orderedRemoveItem:()=>Ae,orderedRemoveItemAt:()=>YC,packageIdToPackageName:()=>ul,packageIdToString:()=>dl,parameterIsThisKeyword:()=>dD,parameterNamePart:()=>HX,parseBaseNodeFactory:()=>xv,parseBigInt:()=>Rm,parseBuildCommand:()=>l3,parseCommandLine:()=>i3,parseCommandLineWorker:()=>e3,parseConfigFileTextToJson:()=>p3,parseConfigFileWithSystem:()=>RV,parseConfigHostFromCompilerHostLike:()=>rU,parseCustomTypeOption:()=>X6,parseIsolatedEntityName:()=>T9,parseIsolatedJSDocComment:()=>Xv,parseJSDocTypeExpressionForTests:()=>Qv,parseJsonConfigFileContent:()=>L9,parseJsonSourceFileConfigFileContent:()=>R9,parseJsonText:()=>Gv,parseListTypeOption:()=>Q6,parseNodeFactory:()=>x9,parseNodeModuleFromPath:()=>EO,parsePackageName:()=>KO,parsePseudoBigInt:()=>GF,parseValidBigInt:()=>XF,pasteEdits:()=>Jye,patchWriteFileEnsuringDirectory:()=>Fi,pathContainsNodeModules:()=>FO,pathIsAbsolute:()=>Ji,pathIsBareSpecifier:()=>zi,pathIsRelative:()=>u4,patternText:()=>Be,performIncrementalCompilation:()=>_W,performance:()=>Ht,positionBelongsToNode:()=>KG,positionIsASICandidate:()=>LQ,positionIsSynthesized:()=>wm,positionsAreOnSameLine:()=>hp,preProcessFile:()=>MZ,probablyUsesSemicolons:()=>RQ,processCommentPragmas:()=>p6,processPragmasIntoFields:()=>f6,processTaggedTemplateExpression:()=>cJ,programContainsEsModules:()=>_X,programContainsModules:()=>lX,projectReferenceIsEqualTo:()=>sl,propertyNamePart:()=>KX,pseudoBigIntToString:()=>$F,punctuationPart:()=>VX,pushIfUnique:()=>NC,quote:()=>kQ,quotePreferenceFromString:()=>yX,rangeContainsPosition:()=>zG,rangeContainsPositionExclusive:()=>qG,rangeContainsRange:()=>xp,rangeContainsRangeExclusive:()=>JG,rangeContainsStartEnd:()=>UG,rangeEndIsOnSameLineAsRangeStart:()=>pp,rangeEndPositionsAreOnSameLine:()=>up,rangeEquals:()=>FC,rangeIsOnSingleLine:()=>lp,rangeOfNode:()=>VF,rangeOfTypeParameters:()=>WF,rangeOverlapsWithStartEnd:()=>VG,rangeStartIsOnSameLineAsRangeEnd:()=>dp,rangeStartPositionsAreOnSameLine:()=>_p,readBuilderProgram:()=>uW,readConfigFile:()=>d3,readJson:()=>Qd,readJsonConfigFile:()=>f3,readJsonOrUndefined:()=>Xd,reduceEachLeadingCommentRange:()=>po,reduceEachTrailingCommentRange:()=>fo,reduceLeft:()=>jC,reduceLeftIterator:()=>m,reducePathComponents:()=>Qi,refactor:()=>lte,regExpEscape:()=>Of,regularExpressionFlagToCharacterCode:()=>Ja,relativeComplement:()=>CC,removeAllComments:()=>Wg,removeEmitHelper:()=>_h,removeExtension:()=>jF,removeFileExtension:()=>bm,removeIgnoredPath:()=>fV,removeMinAndVersionNumbers:()=>Pe,removePrefix:()=>t4,removeSuffix:()=>pr,removeTrailingDirectorySeparator:()=>aa,repeatString:()=>oX,replaceElement:()=>RC,replaceFirstStar:()=>Qm,resolutionExtensionIsTSOrJson:()=>BF,resolveConfigFileProjectName:()=>hW,resolveJSModule:()=>yO,resolveLibrary:()=>fO,resolveModuleName:()=>gO,resolveModuleNameFromCache:()=>mO,resolvePackageNameToPackageJson:()=>XI,resolvePath:()=>Zi,resolveProjectReferencePath:()=>nU,resolveTripleslashReference:()=>Zz,resolveTypeReferenceDirective:()=>KI,resolvingEmptyArray:()=>v8,returnFalse:()=>lr,returnNoopFileWatcher:()=>YV,returnTrue:()=>Ti,returnUndefined:()=>ce,returnsPromise:()=>WZ,rewriteModuleSpecifier:()=>jB,sameFlatMap:()=>xi,sameMap:()=>mC,sameMapping:()=>Xj,scanTokenAtPosition:()=>b7,scanner:()=>oG,semanticDiagnosticsOptionDeclarations:()=>P6,serializeCompilerOptions:()=>P9,server:()=>Vbe,servicesVersion:()=>cie,setCommentRange:()=>BE,setConfigFileInOptions:()=>M9,setConstantValue:()=>sh,setEmitFlags:()=>Z3,setGetSourceFileAsHashVersioned:()=>iW,setIdentifierAutoGenerate:()=>yh,setIdentifierGeneratedImportReference:()=>bh,setIdentifierTypeArguments:()=>UE,setInternalEmitFlags:()=>Kg,setLocalizedDiagnosticMessages:()=>$p,setNodeChildren:()=>Z1,setNodeFlags:()=>rE,setObjectAllocator:()=>Kp,setOriginalNode:()=>Y3,setParent:()=>nE,setParentRecursive:()=>Jm,setPrivateIdentifier:()=>OB,setSnippetElement:()=>fh,setSourceMapRange:()=>Xg,setStackTraceLimit:()=>Xn,setStartsOnNewLine:()=>eh,setSyntheticLeadingComments:()=>JE,setSyntheticTrailingComments:()=>ih,setSys:()=>Pi,setSysLog:()=>mi,setTextRange:()=>rC,setTextRangeEnd:()=>jm,setTextRangePos:()=>Mm,setTextRangePosEnd:()=>tE,setTextRangePosWidth:()=>Bm,setTokenSourceMapRange:()=>Yg,setTypeNode:()=>gh,setUILocale:()=>Ce,setValueDeclaration:()=>K5,shouldAllowImportingTsExtension:()=>mL,shouldPreserveConstEnums:()=>DF,shouldRewriteModuleSpecifier:()=>X5,shouldUseUriStyleNodeCoreModules:()=>lY,showModuleSpecifier:()=>Lp,signatureHasRestParameter:()=>Fj,signatureToDisplayParts:()=>sQ,single:()=>F,singleElementArray:()=>a4,singleIterator:()=>h,singleOrMany:()=>je,singleOrUndefined:()=>Si,skipAlias:()=>Dp,skipConstraint:()=>sX,skipOuterExpressions:()=>f9,skipParentheses:()=>SN,skipPartiallyEmittedExpressions:()=>zs,skipTrivia:()=>C4,skipTypeChecking:()=>HF,skipTypeCheckingIgnoringNoCheck:()=>Im,skipTypeParentheses:()=>xN,skipWhile:()=>He,sliceAfter:()=>Am,some:()=>z3,sortAndDeduplicate:()=>w,sortAndDeduplicateDiagnostics:()=>Fo,sourceFileAffectingCompilerOptions:()=>L6,sourceFileMayBeEmitted:()=>cD,sourceMapCommentRegExp:()=>Uj,sourceMapCommentRegExpDontCareLineStart:()=>qj,spacePart:()=>qX,spanMap:()=>Z,startEndContainsRange:()=>Sp,startEndOverlapsWithStartEnd:()=>HG,startOnNewLine:()=>by,startTracing:()=>kr,startsWith:()=>e4,startsWithDirectory:()=>ma,startsWithUnderscore:()=>sY,startsWithUseStrict:()=>hy,stringContainsAt:()=>oY,stringToToken:()=>ja,stripQuotes:()=>nD,supportedDeclarationExtensions:()=>om,supportedJSExtensionsFlat:()=>nm,supportedLocaleDirectories:()=>is,supportedTSExtensionsFlat:()=>em,supportedTSImplementationExtensions:()=>sm,suppressLeadingAndTrailingTrivia:()=>hg,suppressLeadingTrivia:()=>yg,suppressTrailingTrivia:()=>vg,symbolEscapedNameNoDefault:()=>SX,symbolName:()=>q4,symbolNameNoDefault:()=>xX,symbolToDisplayParts:()=>oQ,sys:()=>Ei,sysLog:()=>fi,tagNamesAreEquivalent:()=>v6,takeWhile:()=>We,targetOptionDeclaration:()=>N6,targetToLibMap:()=>Eo,testFormatSettings:()=>$K,textChangeRangeIsUnchanged:()=>Go,textChangeRangeNewSpan:()=>Ko,textChanges:()=>I,textOrKeywordPart:()=>GX,textPart:()=>$X,textRangeContainsPositionInclusive:()=>P4,textRangeContainsTextSpan:()=>Lo,textRangeIntersectsWithTextSpan:()=>qo,textSpanContainsPosition:()=>E4,textSpanContainsTextRange:()=>Oo,textSpanContainsTextSpan:()=>Io,textSpanEnd:()=>F4,textSpanIntersection:()=>Uo,textSpanIntersectsWith:()=>Bo,textSpanIntersectsWithPosition:()=>zo,textSpanIntersectsWithTextSpan:()=>jo,textSpanIsEmpty:()=>Ao,textSpanOverlap:()=>Mo,textSpanOverlapsWith:()=>Ro,textSpansEqual:()=>EX,textToKeywordObj:()=>ka,timestamp:()=>Wt,toArray:()=>oe,toBuilderFileEmit:()=>aV,toBuilderStateFileInfoForMultiEmit:()=>iV,toEditorSettings:()=>Tie,toFileNameLowerCase:()=>_r,toPath:()=>ia,toProgramEmitPending:()=>oV,toSorted:()=>dn,tokenIsIdentifierOrKeyword:()=>xa,tokenIsIdentifierOrKeywordOrGreaterThan:()=>Sa,tokenToString:()=>S4,trace:()=>wI,tracing:()=>V3,tracingEnabled:()=>Gt,transferSourceFileChildren:()=>ty,transform:()=>Uie,transformClassFields:()=>dJ,transformDeclarations:()=>KJ,transformECMAScriptModule:()=>jJ,transformES2015:()=>IJ,transformES2016:()=>PJ,transformES2017:()=>hJ,transformES2018:()=>vJ,transformES2019:()=>bJ,transformES2020:()=>xJ,transformES2021:()=>SJ,transformESDecorators:()=>gJ,transformESNext:()=>kJ,transformGenerators:()=>OJ,transformImpliedNodeFormatDependentModule:()=>BJ,transformJsx:()=>FJ,transformLegacyDecorators:()=>mJ,transformModule:()=>LJ,transformNamedEvaluation:()=>oJ,transformNodes:()=>nz,transformSystemModule:()=>MJ,transformTypeScript:()=>uJ,transpile:()=>cee,transpileDeclaration:()=>ree,transpileModule:()=>tee,transpileOptionValueCompilerOptions:()=>M6,tryAddToSet:()=>bC,tryAndIgnoreErrors:()=>zQ,tryCast:()=>KC,tryDirectoryExists:()=>JQ,tryExtractTSExtension:()=>eF,tryFileExists:()=>BQ,tryGetClassExtendingExpressionWithTypeArguments:()=>zd,tryGetClassImplementingOrExtendingExpressionWithTypeArguments:()=>JD,tryGetDirectories:()=>MQ,tryGetExtensionFromPath:()=>JF,tryGetImportFromModuleSpecifier:()=>Q_,tryGetJSDocSatisfiesTypeNode:()=>xE,tryGetModuleNameFromFile:()=>wy,tryGetModuleSpecifierFromDeclaration:()=>$5,tryGetNativePerformanceHooks:()=>qt,tryGetPropertyAccessOrIdentifierToString:()=>KD,tryGetPropertyNameOfBindingOrAssignmentElement:()=>Py,tryGetSourceMappingURL:()=>Hj,tryGetTextOfPropertyName:()=>e_,tryParseJson:()=>Yd,tryParsePattern:()=>km,tryParsePatterns:()=>Cm,tryParseRawSourceMap:()=>Gj,tryReadDirectory:()=>jQ,tryReadFile:()=>m3,tryRemoveDirectoryPrefix:()=>Af,tryRemoveExtension:()=>xm,tryRemovePrefix:()=>ze,tryRemoveSuffix:()=>Ee,tscBuildOption:()=>z6,typeAcquisitionDeclarations:()=>V6,typeAliasNamePart:()=>XX,typeDirectiveIsEqualTo:()=>pl,typeKeywords:()=>eX,typeParameterNamePart:()=>QX,typeToDisplayParts:()=>aQ,unchangedPollThresholds:()=>ii,unchangedTextChangeRange:()=>Xo,unescapeLeadingUnderscores:()=>B4,unmangleScopedPackageName:()=>uL,unorderedRemoveItem:()=>Oe,unprefixedNodeCoreModules:()=>tg,unreachableCodeIsError:()=>xf,unsetNodeChildren:()=>ey,unusedLabelIsError:()=>Sf,unwrapInnermostStatementOfLabel:()=>C_,unwrapParenthesizedExpression:()=>eg,updateErrorForNoInputFiles:()=>Y9,updateLanguageServiceSourceFile:()=>Aie,updateMissingFilePathsWatch:()=>Vz,updateResolutionField:()=>RI,updateSharedExtendedConfigFileWatcher:()=>zz,updateSourceFile:()=>$v,updateWatchingWildcardDirectories:()=>Wz,usingSingleLineStringWriter:()=>P8,utf16EncodeAsString:()=>To,validateLocaleAndSetLanguage:()=>as,version:()=>M,versionMajorMinor:()=>or,visitArray:()=>Aj,visitCommaListElements:()=>jj,visitEachChild:()=>aC,visitFunctionBody:()=>Rj,visitIterationBody:()=>Mj,visitLexicalEnvironment:()=>Oj,visitNode:()=>nC,visitNodes:()=>iC,visitParameterList:()=>Lj,walkUpBindingElementsAndPatterns:()=>I4,walkUpOuterExpressions:()=>m9,walkUpParenthesizedExpressions:()=>vN,walkUpParenthesizedTypes:()=>yN,walkUpParenthesizedTypesAndGetParentAndChild:()=>bN,whitespaceOrMapCommentRegExp:()=>Vj,writeCommentRange:()=>Dd,writeFile:()=>hd,writeFileEnsuringDirectories:()=>yd,zipWith:()=>_}),e.exports=o,"5.9"),M="5.9.3",l=((e=l||{})[e.LessThan=-1]="LessThan",e[e.EqualTo=0]="EqualTo",e[e.GreaterThan=1]="GreaterThan",e),R3=[],f=new Map;function M3(e){return void 0!==e?e.length:0}function j3(t,r){if(void 0!==t)for(let e=0;e<t.length;e++){var n=r(t[e],e);if(n)return n}}function O(t,r){if(void 0!==t)for(let e=t.length-1;0<=e;e--){var n=r(t[e],e);if(n)return n}}function oC(t,r){if(void 0!==t)for(let e=0;e<t.length;e++){var n=r(t[e],e);if(void 0!==n)return n}}function sr(e,t){for(var r of e){r=t(r);if(void 0!==r)return r}}function m(t,r,e){let n=e;if(t){let e=0;for(var i of t)n=r(n,i,e),e++}return n}function _(t,r,n){var i=[];U3.assertEqual(t.length,r.length);for(let e=0;e<t.length;e++)i.push(n(t[e],r[e],e));return i}function u(r,n){if(r.length<=1)return r;var i=[];for(let e=0,t=r.length;e<t;e++)0!==e&&i.push(n),i.push(r[e]);return i}function sC(t,r){if(void 0!==t)for(let e=0;e<t.length;e++)if(!r(t[e],e))return!1;return!0}function cC(t,r,n){if(void 0!==t)for(let e=n??0;e<t.length;e++){var i=t[e];if(r(i,e))return i}}function lC(t,r,n){if(void 0!==t)for(let e=n??t.length-1;0<=e;e--){var i=t[e];if(r(i,e))return i}}function _C(t,r,n){if(void 0!==t)for(let e=n??0;e<t.length;e++)if(r(t[e],e))return e;return-1}function uC(t,r,n){if(void 0!==t)for(let e=n??t.length-1;0<=e;e--)if(r(t[e],e))return e;return-1}function dC(t,r,n=$C){if(void 0!==t)for(let e=0;e<t.length;e++)if(n(t[e],r))return!0;return!1}function d(t,r,n){for(let e=n??0;e<t.length;e++)if(dC(r,t.charCodeAt(e)))return e;return-1}function pC(t,r){let n=0;if(void 0!==t)for(let e=0;e<t.length;e++)r(t[e],e)&&n++;return n}function B3(t,r){if(void 0!==t){var n=t.length;let e=0;for(;e<n&&r(t[e]);)e++;if(e<n){var i=t.slice(0,e);for(e++;e<n;){var a=t[e];r(a)&&i.push(a),e++}return i}}return t}function p(t,r){let n=0;for(let e=0;e<t.length;e++)r(t[e],e,t)&&(t[n]=t[e],n++);t.length=n}function fC(e){e.length=0}function J3(t,r){let n;if(void 0!==t){n=[];for(let e=0;e<t.length;e++)n.push(r(t[e],e))}return n}function*k(e,t){for(var r of e)yield t(r)}function mC(t,r){if(void 0!==t)for(let e=0;e<t.length;e++){var n=t[e],i=r(n,e);if(n!==i){var a=t.slice(0,e);for(a.push(i),e++;e<t.length;e++)a.push(r(t[e],e));return a}}return t}function gC(t){var r=[];for(let e=0;e<t.length;e++){var n=t[e];n&&(WC(n)?wC(r,n):r.push(n))}return r}function hC(t,r){let n;if(void 0!==t)for(let e=0;e<t.length;e++){var i=r(t[e],e);i&&(n=(WC(i)?wC:q3)(n,i))}return n??R3}function y(t,r){var n=[];if(void 0!==t)for(let e=0;e<t.length;e++){var i=r(t[e],e);i&&(WC(i)?wC(n,i):n.push(i))}return n}function*g(e,t){for(var r of e){r=t(r);r&&(yield*r)}}function xi(t,r){let n;if(void 0!==t)for(let e=0;e<t.length;e++){var i=t[e],a=r(i,e);(n||i!==a||WC(a))&&(n=n||t.slice(0,e),WC(a)?wC(n,a):n.push(a))}return n??t}function T(t,r){var n=[];for(let e=0;e<t.length;e++){var i=r(t[e],e);if(void 0===i)return;n.push(i)}return n}function yC(t,r){var n=[];if(void 0!==t)for(let e=0;e<t.length;e++){var i=r(t[e],e);void 0!==i&&n.push(i)}return n}function*v(e,t){for(var r of e){r=t(r);void 0!==r&&(yield r)}}function vC(e,t,r){return e.has(t)?e.get(t):(r=r(),e.set(t,r),r)}function bC(e,t){return!e.has(t)&&(e.add(t),!0)}function*h(e){yield e}function Z(i,a,o){let s;if(void 0!==i){s=[];var c,l=i.length;let e,t,r=0,n=0;for(;r<l;){for(;n<l;){var _=i[n];if(t=a(_,n),0===n)e=t;else if(t!==e)break;n++}r<n&&((c=o(i.slice(r,n),e,r,n))&&s.push(c),r=n),e=t,n++}}return s}function C(e,n){if(void 0!==e){let r=new Map;return e.forEach((e,t)=>{var[t,e]=n(t,e);r.set(t,e)}),r}}function z3(t,r){if(void 0!==t){if(void 0===r)return 0<t.length;for(let e=0;e<t.length;e++)if(r(t[e]))return!0}return!1}function L(t,r,n){let i;for(let e=0;e<t.length;e++)r(t[e])?i=void 0===i?e:i:void 0!==i&&(n(i,e),i=void 0);void 0!==i&&n(i,t.length)}function xC(e,t){return void 0===t||0===t.length?e:void 0===e||0===e.length?t:[...e,...t]}function b(e,t){return t}function SC(e){return e.map(b)}function x(t,r,e){var n,i,a=SC(t);n=t,i=e,a.sort((e,t)=>i(n[e],n[t])||XC(e,t));let o=t[a[0]];var s=[a[0]];for(let e=1;e<a.length;e++){var c=a[e],l=t[c];r(o,l)||(s.push(c),o=l)}return s.sort(),s.map(e=>t[e])}function kC(e,t,r){{if(0===e.length)return[];if(1===e.length)return e.slice();if(r)return x(e,t,r);var n=e,i=t,a=[];for(let e=0;e<n.length;e++)NC(a,n[e],i);return a}}function S(){return[]}function J(e,t,r,n,i){if(0===e.length)return e.push(t),!0;r=MC(e,t,Ci,r);if(r<0){if(n&&!i){var a=~r;if(0<a&&n(t,e[a-1]))return!1;if(a<e.length&&n(t,e[a]))return e.splice(a,1,t),!0}return e.splice(~r,0,t),!0}return!!i&&(e.splice(r,0,t),!0)}function w(e,r,n){{var i=dn(e,r),a=n??r??ve;if(0===i.length)return R3;let t=i[0];var o=[t];for(let e=1;e<i.length;e++){var s=i[e];switch(a(s,t)){case!0:case 0:continue;case-1:return U3.fail("Array is unsorted.")}o.push(t=s)}return o}}function TC(t,r,n=$C){if(void 0===t||void 0===r)return t===r;if(t.length!==r.length)return!1;for(let e=0;e<t.length;e++)if(!n(t[e],r[e],e))return!1;return!0}function Re(t){let r;if(void 0!==t)for(let e=0;e<t.length;e++){var n=t[e];(r??!n)&&(r=r??t.slice(0,e),n)&&r.push(n)}return r??t}function CC(r,n,i){if(!n||!r||0===n.length||0===r.length)return n;var a=[];e:for(let e=0,t=0;t<n.length;t++){0<t&&U3.assertGreaterThanOrEqual(i(n[t],n[t-1]),0);for(var o=e;e<r.length;e++)switch(e>o&&U3.assertGreaterThanOrEqual(i(r[e],r[e-1]),0),i(n[t],r[e])){case-1:a.push(n[t]);continue e;case 0:continue e;case 1:continue}}return a}function q3(e,t){if(void 0!==t){if(void 0===e)return[t];e.push(t)}return e}function R(e,t){return void 0===e?t:void 0===t?e:WC(e)?(WC(t)?xC:q3)(e,t):WC(t)?q3(t,e):[e,t]}function N(e,t){return t<0?e.length+t:t}function wC(t,r,n,i){if(void 0!==r&&0!==r.length){if(void 0===t)return r.slice(n,i);n=void 0===n?0:N(r,n),i=void 0===i?r.length:N(r,i);for(let e=n;e<i&&e<r.length;e++)void 0!==r[e]&&t.push(r[e])}return t}function NC(e,t,r){return!dC(e,t,r)&&(e.push(t),!0)}function DC(e,t,r){return void 0!==e?(NC(e,t,r),e):[t]}function dn(e,t){return 0===e.length?R3:e.slice().sort(t)}function*D(t){for(let e=t.length-1;0<=e;e--)yield t[e]}function FC(e,t,r,n){for(;r<n;){if(e[r]!==t[r])return!1;r++}return!0}var Me=Array.prototype.at?(e,t)=>null==e?void 0:e.at(t):(e,t)=>{if(void 0!==e&&(t=N(e,t))<e.length)return e[t]};function EC(e){return void 0===e||0===e.length?void 0:e[0]}function PC(e){if(void 0!==e)for(var t of e)return t}function AC(e){return U3.assert(0!==e.length),e[0]}function IC(e){for(var t of e)return t;U3.fail("iterator is empty")}function OC(e){return void 0===e||0===e.length?void 0:e[e.length-1]}function LC(e){return U3.assert(0!==e.length),e[e.length-1]}function Si(e){return void 0!==e&&1===e.length?e[0]:void 0}function F(e){return U3.checkDefined(Si(e))}function je(e){return void 0!==e&&1===e.length?e[0]:e}function RC(e,t,r){e=e.slice(0);return e[t]=r,e}function MC(e,t,r,n,i){return E(e,r(t),r,n,i)}function E(e,t,r,n,i){if(!z3(e))return-1;let a=i??0,o=e.length-1;for(;a<=o;){var s=a+(o-a>>1);switch(n(r(e[s],s),t)){case-1:a=s+1;break;case 0:return s;case 1:o=s-1}}return~a}function jC(r,n,i,a,o){if(r&&0<r.length){var s=r.length;if(0<s){let e=void 0===a||a<0?0:a;var c=void 0===o||e+o>s-1?s-1:e+o;let t;for(arguments.length<=2?(t=r[e],e++):t=i;e<=c;)t=n(t,r[e],e),e++;return t}}return i}var P=Object.prototype.hasOwnProperty;function ki(e,t){return P.call(e,t)}function A(e,t){return P.call(e,t)?e[t]:void 0}function j(e){var t,r=[];for(t in e)P.call(e,t)&&r.push(t);return r}function B(e){var t,r=[];do{for(t of Object.getOwnPropertyNames(e))NC(r,t)}while(e=Object.getPrototypeOf(e));return r}function z(e){var t,r=[];for(t in e)P.call(e,t)&&r.push(e[t]);return r}function BC(t,r){var n=new Array(t);for(let e=0;e<t;e++)n[e]=r(e);return n}function JC(e,t){var r,n=[];for(r of e)n.push(t?t(r):r);return n}function q(e,...t){for(var r of t)if(void 0!==r)for(var n in r)ki(r,n)&&(e[n]=r[n]);return e}function U(e,t,r=$C){if(e!==t){if(!e||!t)return!1;for(var n in e)if(P.call(e,n)){if(!P.call(t,n))return!1;if(!r(e[n],t[n]))return!1}for(var i in t)if(P.call(t,i)&&!P.call(e,i))return!1}return!0}function $(t,r,n=Ci){var i=new Map;for(let e=0;e<t.length;e++){var a=t[e],o=r(a);void 0!==o&&i.set(o,n(a))}return i}function X(t,r,n=Ci){var i=[];for(let e=0;e<t.length;e++){var a=t[e];i[r(a)]=n(a)}return i}function zC(t,r,n=Ci){var i=VC();for(let e=0;e<t.length;e++){var a=t[e];i.add(r(a),n(a))}return i}function qC(e,t,r=Ci){return JC(zC(e,t).values(),r)}function Q(t,r){var n={};if(void 0!==t)for(let e=0;e<t.length;e++){var i=t[e],a=""+r(i);(n[a]??(n[a]=[])).push(i)}return n}function Y(e){var t,r={};for(t in e)P.call(e,t)&&(r[t]=e[t]);return r}function ee(e,t){var r,n,i={};for(r in t)P.call(t,r)&&(i[r]=t[r]);for(n in e)P.call(e,n)&&(i[n]=e[n]);return i}function te(e,t){for(var r in t)P.call(t,r)&&(e[r]=t[r])}function UC(e,t){return null==t?void 0:t.bind(e)}function VC(){var e=new Map;return e.add=re,e.remove=ne,e}function re(e,t){let r=this.get(e);return void 0!==r?r.push(t):this.set(e,r=[t]),r}function ne(e,t){var r=this.get(e);void 0!==r&&(Oe(r,t),r.length||this.delete(e))}function ie(e){let r=(null==e?void 0:e.slice())??[],n=0;function i(){return n===r.length}return{enqueue:function(...e){r.push(...e)},dequeue:function(){if(i())throw new Error("Queue is empty");var e,t=r[n];return r[n]=void 0,100<++n&&n>r.length>>1&&(e=r.length-n,r.copyWithin(0,n),r.length=e,n=0),t},isEmpty:i}}function ae(i,a){let o=new Map,s=0;function*t(){for(var e of o.values())WC(e)?yield*e:yield e}let n={has(e){var t=i(e);return!!o.has(t)&&(WC(t=o.get(t))?dC(t,e,a):a(t,e))},add(e){var t,r=i(e);return o.has(r)?WC(t=o.get(r))?dC(t,e,a)||(t.push(e),s++):a(t=t,e)||(o.set(r,[t,e]),s++):(o.set(r,e),s++),this},delete(t){var r=i(t);if(o.has(r)){var n=o.get(r);if(WC(n)){for(let e=0;e<n.length;e++)if(a(n[e],t))return 1===n.length?o.delete(r):2===n.length?o.set(r,n[1-e]):Ie(n,e),s--,!0}else if(a(n,t))return o.delete(r),s--,!0}return!1},clear(){o.clear(),s=0},get size(){return s},forEach(e){for(var t of JC(o.values()))if(WC(t))for(var r of t)e(r,r,n);else e(t,t,n)},keys(){return t()},values(){return t()},*entries(){for(var e of t())yield[e,e]},[Symbol.iterator]:()=>t(),[Symbol.toStringTag]:o[Symbol.toStringTag]};return n}function WC(e){return Array.isArray(e)}function oe(e){return WC(e)?e:[e]}function HC(e){return"string"==typeof e}function se(e){return"number"==typeof e}function KC(e,t){return void 0!==e&&t(e)?e:void 0}function GC(e,t){return void 0!==e&&t(e)?e:U3.fail(`Invalid cast. The supplied value ${e} did not pass the test '${U3.getFunctionName(t)}'.`)}function cr(e){}function lr(){return!1}function Ti(){return!0}function ce(){}function Ci(e){return e}function le(e){return e.toLowerCase()}var _e=/[^\u0130\u0131\u00DFa-z0-9\\/:\-_. ]+/g;function _r(e){return _e.test(e)?e.replace(_e,le):e}function ue(){throw new Error("Not implemented")}function wi(e){let t;return()=>(e&&(t=e(),e=void 0),t)}function Ni(n){let i=new Map;return e=>{var t=typeof e+":"+e;let r=i.get(t);return void 0!==r||i.has(t)||(r=n(e),i.set(t,r)),r}}(o=de||{})[o.None=0]="None",o[o.Normal=1]="Normal",o[o.Aggressive=2]="Aggressive",o[o.VeryAggressive=3]="VeryAggressive";var de=o;function $C(e,t){return e===t}function ur(e,t){return e===t||void 0!==e&&void 0!==t&&e.toUpperCase()===t.toUpperCase()}function dr(e,t){return e===t}function pe(e,t){return e===t?0:void 0===e||void 0!==t&&e<t?-1:1}function XC(e,t){return pe(e,t)}function fe(e,t){return XC(null==e?void 0:e.start,null==t?void 0:t.start)||XC(null==e?void 0:e.length,null==t?void 0:t.length)}function me(t,r,n){for(let e=0;e<t.length;e++)r=Math.max(r,n(t[e]));return r}function ge(e,r){return jC(e,(e,t)=>-1===r(e,t)?e:t)}function he(e,t){return e===t?0:void 0===e?-1:void 0===t?1:(e=e.toUpperCase())<(t=t.toUpperCase())?-1:t<e?1:0}function ye(e,t){return e===t?0:void 0===e?-1:void 0===t?1:(e=e.toLowerCase())<(t=t.toLowerCase())?-1:t<e?1:0}function ve(e,t){return pe(e,t)}function be(e){return e?he:ve}var xe,Se,ke=function(e){let n=new Intl.Collator(e,{usage:"sort",sensitivity:"variant",numeric:!0}).compare;return(e,t)=>{var r=n;return e===t?0:void 0===e?-1:void 0===t?1:(r=r(e,t))<0?-1:0<r?1:0}};function Te(){return Se}function Ce(e){Se!==e&&(Se=e,xe=void 0)}function we(e,t){return(xe=xe??ke(Se))(e,t)}function Ne(e,t,r,n){return e===t?0:void 0===e?-1:void 0===t?1:n(e[r],t[r])}function De(e,t){return XC(e?1:0,t?1:0)}function QC(e,t,r){var n,i=Math.max(2,Math.floor(.34*e.length));let a=Math.floor(.4*e.length)+1,o;for(n of t){var s=r(n);void 0!==s&&Math.abs(s.length-e.length)<=i&&(s===e||s.length<3&&s.toLowerCase()!==e.toLowerCase()||void 0!==(s=((n,i,e)=>{let a=new Array(i.length+1),o=new Array(i.length+1),s=e+.01;for(let e=0;e<=i.length;e++)a[e]=e;for(let r=1;r<=n.length;r++){var c=n.charCodeAt(r-1),l=Math.ceil(r>e?r-e:1),_=Math.floor(i.length>e+r?e+r:i.length);let t=o[0]=r;for(let e=1;e<l;e++)o[e]=s;for(let e=l;e<=_;e++){var u=n[r-1].toLowerCase()===i[e-1].toLowerCase()?a[e-1]+.1:a[e-1]+2,u=c===i.charCodeAt(e-1)?a[e-1]:Math.min(a[e]+1,o[e-1]+1,u);o[e]=u,t=Math.min(t,u)}for(let e=_+1;e<=i.length;e++)o[e]=s;if(t>e)return;var d=a;a=o,o=d}var t=a[i.length];return e<t?void 0:t})(e,s,a-.1))&&(U3.assert(s<a),a=s,o=n))}return o}function Fe(e,t,r){var n=e.length-t.length;return 0<=n&&(r?ur(e.slice(n),t):e.indexOf(t,n)===n)}function pr(e,t){return Fe(e,t)?e.slice(0,e.length-t.length):e}function Ee(e,t){return Fe(e,t)?e.slice(0,e.length-t.length):void 0}function Pe(r){let n=r.length;for(let t=n-1;0<t;t--){let e=r.charCodeAt(t);if(48<=e&&e<=57)for(;--t,e=r.charCodeAt(t),0<t&&48<=e&&e<=57;);else{if(!(4<t)||110!==e&&78!==e)break;if(--t,105!==(e=r.charCodeAt(t))&&73!==e)break;if(--t,109!==(e=r.charCodeAt(t))&&77!==e)break;--t,e=r.charCodeAt(t)}if(45!==e&&46!==e)break;n=t}return n===r.length?r:r.slice(0,n)}function Ae(t,r){for(let e=0;e<t.length;e++)if(t[e]===r)return YC(t,e),!0;return!1}function YC(t,r){for(let e=r;e<t.length-1;e++)t[e]=t[e+1];t.pop()}function Ie(e,t){e[t]=e[e.length-1],e.pop()}function Oe(e,t){var r=e,n=e=>e===t;for(let e=0;e<r.length;e++)if(n(r[e]))return Ie(r,e),!0;return!1}function Le(e){return e?Ci:_r}function Be({prefix:e,suffix:t}){return e+"*"+t}function Je(e,t){return U3.assert(qe(e,t)),t.substring(e.prefix.length,t.length-e.suffix.length)}function ZC(t,r,n){let i,a=-1;for(let e=0;e<t.length;e++){var o=t[e],s=r(o);s.prefix.length>a&&qe(s,n)&&(a=s.prefix.length,i=o)}return i}function e4(e,t,r){return r?ur(e.slice(0,t.length),t):0===e.lastIndexOf(t,0)}function t4(e,t){return e4(e,t)?e.substr(t.length):e}function ze(e,t,r=Ci){return e4(r(e),r(t))?e.substring(t.length):void 0}function qe({prefix:e,suffix:t},r){return r.length>=e.length+t.length&&e4(r,e)&&Fe(r,t)}function r4(t,r){return e=>t(e)&&r(e)}function n4(...n){return(...e)=>{let t;for(var r of n)if(t=r(...e))return t;return t}}function i4(t){return(...e)=>!t(...e)}function Ue(e){}function a4(e){return void 0===e?void 0:[e]}function Ve(e,t,r,n,i,a){a=a??cr;let o=0,s=0;var c=e.length,l=t.length;let _=!1;for(;o<c&&s<l;){var u=e[o],d=t[s],p=r(u,d);-1===p?(n(u),o++,_=!0):1===p?(i(d),s++,_=!0):(a(d,u),o++,s++)}for(;o<c;)n(e[o++]),_=!0;for(;s<l;)i(t[s++]),_=!0;return _}function o4(e){var t=[];return function t(r,n,i,a){for(var o of r[a]){let e;i?(e=i.slice()).push(o):e=[o],a===r.length-1?n.push(e):t(r,n,e,a+1)}}(e,t,void 0,0),t}function We(t,r){if(void 0!==t){var n=t.length;let e=0;for(;e<n&&r(t[e]);)e++;return t.slice(0,e)}}function He(t,r){if(void 0!==t){var n=t.length;let e=0;for(;e<n&&r(t[e]);)e++;return t.slice(e)}}function Ke(){return"undefined"!=typeof process&&!!process.nextTick&&!process.browser&&void 0!==commonjsRequire}(e=Ge||{})[e.Off=0]="Off",e[e.Error=1]="Error",e[e.Warning=2]="Warning",e[e.Info=3]="Info",e[e.Verbose=4]="Verbose";var U3,Ge=e;{var $e=U3=U3||{};let n=0;function Xe(e){return $e.currentLogLevel<=e}function Qe(e,t){$e.loggingHost&&Xe(e)&&$e.loggingHost.log(e,t)}function Ye(e){Qe(3,e)}$e.currentLogLevel=2,$e.isDebugging=!1,$e.shouldLog=Xe,$e.log=Ye,(o=$e.log||($e.log={})).error=function(e){Qe(1,e)},o.warn=function(e){Qe(2,e)},o.log=function(e){Qe(3,e)},o.trace=function(e){Qe(4,e)};let i={};function Ze(e){return n>=e}function et(e,t){if(Ze(e))return 1;i[t]={level:e,assertion:$e[t]},$e[t]=cr}function tt(e,t){e=new Error(e?"Debug Failure. "+e:"Debug Failure.");throw Error.captureStackTrace&&Error.captureStackTrace(e,t||tt),e}function rt(e,t,r,n){e||(t=t?"False expression: "+t:"False expression.",r&&(t+="\r\nVerbose Debug Information: "+("string"==typeof r?r:r())),tt(t,n||rt))}function nt(e,t,r){null==e&&tt(t,r||nt)}function it(e,t,r){for(var n of e)nt(n,t,r||it)}function at(e,t="Illegal value:",r){return tt(t+" "+("object"==typeof e&&ki(e,"kind")&&ki(e,"pos")?"SyntaxKind: "+ct(e.kind):JSON.stringify(e)),r||at)}function ot(e){return"function"!=typeof e?"":ki(e,"name")?e.name:(e=Function.prototype.toString.call(e),(e=/^function\s+([\w$]+)\s*\(/.exec(e))?e[1]:"")}function st(t=0,r,e){r=(e=>{var t=c.get(e);if(!t){var r,n=[];for(r in e){var i=e[r];"number"==typeof i&&n.push([i,r])}t=dn(n,(e,t)=>XC(e[0],t[0])),c.set(e,t)}return t})(r);if(0===t)return 0<r.length&&0===r[0][0]?r[0][1]:"0";if(e){var n,i,a=[];let e=t;for([n,i]of r){if(n>t)break;0!==n&&n&t&&(a.push(i),e&=~n)}if(0===e)return a.join("|")}else for(var[o,s]of r)if(o===t)return s;return t.toString()}$e.getAssertionLevel=function(){return n},$e.setAssertionLevel=function(e){if(n<(n=e))for(var t of j(i)){var r=i[t];void 0!==r&&$e[t]!==r.assertion&&e>=r.level&&($e[t]=r,i[t]=void 0)}},$e.shouldAssert=Ze,$e.fail=tt,$e.failBadSyntaxKind=function e(t,r,n){return tt(`${r||"Unexpected node."}\r
|
|
2
2
|
Node ${ct(t.kind)} was unexpected.`,n||e)},$e.assert=rt,$e.assertEqual=function e(t,r,n,i,a){t!==r&&tt(`Expected ${t} === ${r}. `+(n?i?n+" "+i:n:""),a||e)},$e.assertLessThan=function e(t,r,n,i){r<=t&&tt(`Expected ${t} < ${r}. `+(n||""),i||e)},$e.assertLessThanOrEqual=function e(t,r,n){r<t&&tt(`Expected ${t} <= `+r,n||e)},$e.assertGreaterThanOrEqual=function e(t,r,n){t<r&&tt(`Expected ${t} >= `+r,n||e)},$e.assertIsDefined=nt,$e.checkDefined=function e(t,r,n){return nt(t,r,n||e),t},$e.assertEachIsDefined=it,$e.checkEachDefined=function e(t,r,n){return it(t,r,n||e),t},$e.assertNever=at,$e.assertEachNode=function e(t,r,n,i){et(1,"assertEachNode")&&rt(void 0===r||sC(t,r),n||"Unexpected node.",()=>`Node array did not pass test '${ot(r)}'.`,i||e)},$e.assertNode=function e(t,r,n,i){et(1,"assertNode")&&rt(void 0!==t&&(void 0===r||r(t)),n||"Unexpected node.",()=>`Node ${ct(null==t?void 0:t.kind)} did not pass test '${ot(r)}'.`,i||e)},$e.assertNotNode=function e(t,r,n,i){et(1,"assertNotNode")&&rt(void 0===t||void 0===r||!r(t),n||"Unexpected node.",()=>`Node ${ct(t.kind)} should not have passed test '${ot(r)}'.`,i||e)},$e.assertOptionalNode=function e(t,r,n,i){et(1,"assertOptionalNode")&&rt(void 0===r||void 0===t||r(t),n||"Unexpected node.",()=>`Node ${ct(null==t?void 0:t.kind)} did not pass test '${ot(r)}'.`,i||e)},$e.assertOptionalToken=function e(t,r,n,i){et(1,"assertOptionalToken")&&rt(void 0===r||void 0===t||t.kind===r,n||"Unexpected node.",()=>`Node ${ct(null==t?void 0:t.kind)} was not a '${ct(r)}' token.`,i||e)},$e.assertMissingNode=function e(t,r,n){et(1,"assertMissingNode")&&rt(void 0===t,r||"Unexpected node.",()=>`Node ${ct(t.kind)} was unexpected'.`,n||e)},$e.type=function(e){},$e.getFunctionName=ot,$e.formatSymbol=function(e){return`{ name: ${B4(e.escapedName)}; flags: ${pt(e.flags)}; declarations: ${J3(e.declarations,e=>ct(e.kind))} }`},$e.formatEnum=st;let c=new Map;function ct(e){return st(e,Cr,!1)}function lt(e){return st(e,wr,!0)}function _t(e){return st(e,Nr,!0)}function ut(e){return st(e,Mn,!0)}function dt(e){return st(e,Bn,!0)}function pt(e){return st(e,Yr,!0)}function ft(e){return st(e,rn,!0)}function mt(e){return st(e,un,!0)}function gt(e){return st(e,nn,!0)}function ht(e){return st(e,Ir,!0)}$e.formatSyntaxKind=ct,$e.formatSnippetKind=function(e){return st(e,jn,!1)},$e.formatScriptKind=function(e){return st(e,Pn,!1)},$e.formatNodeFlags=lt,$e.formatNodeCheckFlags=function(e){return st(e,tn,!0)},$e.formatModifierFlags=_t,$e.formatTransformFlags=ut,$e.formatEmitFlags=dt,$e.formatSymbolFlags=pt,$e.formatTypeFlags=ft,$e.formatSignatureFlags=mt,$e.formatObjectFlags=gt,$e.formatFlowFlags=ht,$e.formatRelationComparisonResult=function(e){return st(e,Fr,!0)},$e.formatCheckMode=function(e){return st(e,gj,!0)},$e.formatSignatureCheckMode=function(e){return st(e,hj,!0)};let r=!($e.formatTypeFacts=function(e){return st(e,fj,!0)}),t;function yt(e){"__debugFlowFlags"in e||Object.defineProperties(e,{__tsDebuggerDisplay:{value(){var e=2&this.flags?"FlowStart":4&this.flags?"FlowBranchLabel":8&this.flags?"FlowLoopLabel":16&this.flags?"FlowAssignment":32&this.flags?"FlowTrueCondition":64&this.flags?"FlowFalseCondition":128&this.flags?"FlowSwitchClause":256&this.flags?"FlowArrayMutation":512&this.flags?"FlowCall":1024&this.flags?"FlowReduceLabel":1&this.flags?"FlowUnreachable":"UnknownFlow",t=-2048&this.flags;return e+(t?` (${ht(t)})`:"")}},__debugFlowFlags:{get(){return st(this.flags,Ir,!0)}},__debugToString:{value(){return bt(this)}}})}$e.attachFlowNodeDebugInfo=function(e){return r&&("function"==typeof Object.setPrototypeOf?(t||yt(t=Object.create(Object.prototype)),Object.setPrototypeOf(e,t)):yt(e)),e};let a;function vt(e){"__tsDebuggerDisplay"in e||Object.defineProperties(e,{__tsDebuggerDisplay:{value(e){return"NodeArray "+(e=String(e).replace(/(?:,[\s\w]+:[^,]+)+\]$/,"]"))}}})}$e.attachNodeArrayDebugInfo=function(e){r&&("function"==typeof Object.setPrototypeOf?(a||vt(a=Object.create(Array.prototype)),Object.setPrototypeOf(e,a)):vt(e))},$e.enableDebugInfo=function(){if(!r){let t=new WeakMap,i=new WeakMap;var e;Object.defineProperties(dF.getSymbolConstructor().prototype,{__tsDebuggerDisplay:{value(){var e=33554432&this.flags?"TransientSymbol":"Symbol",t=-33554433&this.flags;return e+` '${q4(this)}'`+(t?` (${pt(t)})`:"")}},__debugFlags:{get(){return pt(this.flags)}}}),Object.defineProperties(dF.getTypeConstructor().prototype,{__tsDebuggerDisplay:{value(){var e=67359327&this.flags?"IntrinsicType "+this.intrinsicName+(this.debugIntrinsicName?` (${this.debugIntrinsicName})`:""):98304&this.flags?"NullableType":384&this.flags?"LiteralType "+JSON.stringify(this.value):2048&this.flags?`LiteralType ${this.value.negative?"-":""}${this.value.base10Value}n`:8192&this.flags?"UniqueESSymbolType":32&this.flags?"EnumType":1048576&this.flags?"UnionType":2097152&this.flags?"IntersectionType":4194304&this.flags?"IndexType":8388608&this.flags?"IndexedAccessType":16777216&this.flags?"ConditionalType":33554432&this.flags?"SubstitutionType":262144&this.flags?"TypeParameter":524288&this.flags?3&this.objectFlags?"InterfaceType":4&this.objectFlags?"TypeReference":8&this.objectFlags?"TupleType":16&this.objectFlags?"AnonymousType":32&this.objectFlags?"MappedType":1024&this.objectFlags?"ReverseMappedType":256&this.objectFlags?"EvolvingArrayType":"ObjectType":"Type",t=524288&this.flags?-1344&this.objectFlags:0;return e+(this.symbol?` '${q4(this.symbol)}'`:"")+(t?` (${gt(t)})`:"")}},__debugFlags:{get(){return ft(this.flags)}},__debugObjectFlags:{get(){return 524288&this.flags?gt(this.objectFlags):""}},__debugTypeToString:{value(){let e=t.get(this);return void 0===e&&(e=this.checker.typeToString(this),t.set(this,e)),e}}}),Object.defineProperties(dF.getSignatureConstructor().prototype,{__debugFlags:{get(){return mt(this.flags)}},__debugSignatureToString:{value(){var e;return null==(e=this.checker)?void 0:e.signatureToString(this)}}});for(e of[dF.getNodeConstructor(),dF.getIdentifierConstructor(),dF.getTokenConstructor(),dF.getSourceFileConstructor()])ki(e.prototype,"__debugKind")||Object.defineProperties(e.prototype,{__tsDebuggerDisplay:{value(){return""+(xw(this)?"GeneratedIdentifier":eC(this)?`Identifier '${J4(this)}'`:$E(this)?`PrivateIdentifier '${J4(this)}'`:GE(this)?"StringLiteral "+JSON.stringify(this.text.length<10?this.text:this.text.slice(10)+"..."):HE(this)?"NumericLiteral "+this.text:KE(this)?`BigIntLiteral ${this.text}n`:eP(this)?"TypeParameterDeclaration":tP(this)?"ParameterDeclaration":cP(this)?"ConstructorDeclaration":lP(this)?"GetAccessorDeclaration":_P(this)?"SetAccessorDeclaration":uP(this)?"CallSignatureDeclaration":dP(this)?"ConstructSignatureDeclaration":pP(this)?"IndexSignatureDeclaration":fP(this)?"TypePredicateNode":mP(this)?"TypeReferenceNode":gP(this)?"FunctionTypeNode":hP(this)?"ConstructorTypeNode":yP(this)?"TypeQueryNode":vP(this)?"TypeLiteralNode":P0(this)?"ArrayTypeNode":bP(this)?"TupleTypeNode":SP(this)?"OptionalTypeNode":kP(this)?"RestTypeNode":A0(this)?"UnionTypeNode":I0(this)?"IntersectionTypeNode":TP(this)?"ConditionalTypeNode":O0(this)?"InferTypeNode":CP(this)?"ParenthesizedTypeNode":L0(this)?"ThisTypeNode":wP(this)?"TypeOperatorNode":NP(this)?"IndexedAccessTypeNode":R0(this)?"MappedTypeNode":DP(this)?"LiteralTypeNode":xP(this)?"NamedTupleMember":FP(this)?"ImportTypeNode":ct(this.kind))+(this.flags?` (${lt(this.flags)})`:"")}},__debugKind:{get(){return ct(this.kind)}},__debugNodeFlags:{get(){return lt(this.flags)}},__debugModifierFlags:{get(){return _t(Rd(this))}},__debugTransformFlags:{get(){return ut(this.transformFlags)}},__debugIsParseTreeNode:{get(){return os(this)}},__debugEmitFlags:{get(){return dt(Ml(this))}},__debugGetText:{value(e){if(ZN(this))return"";let t=i.get(this);var r,n;return void 0===t&&(n=(r=M4(this))&&G3(r),t=n?Il(n,r,e):"",i.set(this,t)),t}}});r=!0}},$e.formatVariance=function(e){var t=7&e;let r=0==t?"in out":3==t?"[bivariant]":2==t?"in":1==t?"out":4==t?"[independent]":"";return 8&e?r+=" (unmeasurable)":16&e&&(r+=" (unreliable)"),r};class Wbe{__debugToString(){var e;switch(this.kind){case 3:return(null==(e=this.debugInfo)?void 0:e.call(this))||"(function mapper)";case 0:return this.source.__debugTypeToString()+" -> "+this.target.__debugTypeToString();case 1:return _(this.sources,this.targets||J3(this.sources,()=>"any"),(e,t)=>e.__debugTypeToString()+" -> "+("string"==typeof t?t:t.__debugTypeToString())).join(", ");case 2:return _(this.sources,this.targets,(e,t)=>e.__debugTypeToString()+" -> "+t().__debugTypeToString()).join(", ");case 5:case 4:return`m1: ${this.mapper1.__debugToString().split("\n").join("\n ")}
|
|
3
3
|
m2: `+this.mapper2.__debugToString().split("\n").join("\n ");default:return at(this)}}}function bt(e){let t=-1;function c(e){return e.id||(e.id=t,t--),e.id}let a=2032,l=882,o=Object.create(null),s=[];var r,e=n(e,new Set);for(r of s)r.text=((e,t)=>{let r=(e=>{if(2&e)return"Start";if(4&e)return"Branch";if(8&e)return"Loop";if(16&e)return"Assignment";if(32&e)return"True";if(64&e)return"False";if(128&e)return"SwitchClause";if(256&e)return"ArrayMutation";if(512&e)return"Call";if(1024&e)return"ReduceLabel";if(1&e)return"Unreachable";throw new Error})(e.flags);if(t&&(r=r+"#"+c(e)),128&e.flags){var n=[],{switchStatement:i,clauseStart:a,clauseEnd:o}=e.node;for(let e=a;e<o;e++){var s=i.caseBlock.clauses[e];T1(s)?n.push("default"):n.push(C(s.expression))}r+=` (${n.join(", ")})`}else(e=>e.flags&l)(e)&&e.node&&(r+=` (${C(e.node)})`);return"circularity"===t?`Circular(${r})`:r})(r.flowNode,r.circular),!function e(t){if(-1!==t.level)return t.level;let r=0;for(var n of k(t))r=Math.max(r,e(n)+1);return t.level=r}(r);let _=(e=>{var t,r=w(Array(e),0);for(t of s)r[t.level]=Math.max(r[t.level],t.text.length);return r})(function e(t){let r=0;for(var n of S(t))r=Math.max(r,e(n));return r+1}(e));!function n(i,a){if(-1===i.lane){i.lane=a,i.endLane=a;let r=S(i);for(let t=0;t<r.length;t++){0<t&&a++;let e=r[t];n(e,a),e.endLane>i.endLane&&(a=e.endLane)}i.endLane=a}}(e,0);{let n=_.length,e=me(s,0,e=>e.lane)+1,r=w(Array(e),""),i=_.map(()=>Array(e)),a=_.map(()=>w(Array(e),0));for(var u of s){var d=S(i[u.level][u.lane]=u);for(let t=0;t<d.length;t++){var p=d[t];let e=8;p.lane===u.lane&&(e|=4),0<t&&(e|=1),t<d.length-1&&(e|=2),a[u.level][p.lane]|=e}0===d.length&&(a[u.level][u.lane]|=16);var f=k(u);for(let t=0;t<f.length;t++){var m=f[t];let e=4;0<t&&(e|=1),t<f.length-1&&(e|=2),a[u.level-1][m.lane]|=e}}for(let r=0;r<n;r++)for(let t=0;t<e;t++){var g=0<r?a[r-1][t]:0,h=0<t?a[r][t-1]:0;let e=a[r][t];e||(8&g&&(e|=12),2&h&&(e|=3),a[r][t]=e)}for(let t=0;t<n;t++)for(let e=0;e<r.length;e++){var y=a[t][e],v=4&y?"─":" ",b=i[t][e];b?(x(e,b.text),t<n-1&&(x(e," "),x(e,N(v,_[t]-b.text.length)))):t<n-1&&x(e,N(v,_[t]+1)),x(e,(e=>{switch(e){case 3:return"│";case 12:return"─";case 5:return"╯";case 9:return"╰";case 6:return"╮";case 10:return"╭";case 7:return"┤";case 11:return"├";case 13:return"┴";case 14:return"┬";case 15:return"╫"}return" "})(y)),x(e,8&y&&t<n-1&&!i[t+1][e]?"─":" ")}return`
|
|
4
4
|
${r.join("\n")}
|
|
@@ -376,14 +376,14 @@ ${e}
|
|
|
376
376
|
}
|
|
377
377
|
};
|
|
378
378
|
|
|
379
|
-
export default translations;`}generateTypeDefinitions(){if(0===this.keys.length)return"string";let r={};return this.keys.forEach(e=>{var t=e.module||"core";r[t]||(r[t]=[]),r[t].push(e.key)}),Object.entries(r).map(([e,t])=>{t=t.filter((e,t,r)=>r.indexOf(e)===t).map(e=>`"${e}"`).join(" | ");return"core"===e?t:e+":"+t}).join(" | ")}}function TranslationInitiator(){return __awaiter(this,arguments,void 0,function*(e=__dirname$2){new TranslationGenerator({},e).generate().then(()=>{}).catch(e=>{})})}let __filename$1=url.fileURLToPath("undefined"==typeof document?require("url").pathToFileURL(__filename).href:_documentCurrentScript&&"SCRIPT"===_documentCurrentScript.tagName.toUpperCase()&&_documentCurrentScript.src||new URL("index.js",document.baseURI).href),__dirname$1=path.dirname(__filename$1);class ConfigGenerator{constructor(e={},t=__dirname$1){this.modules=new Set,this.config={srcDir:e.srcDir||pajoExports.Pajo.join(t,"src")||"",outputFile:e.outputFile||pajoExports.Pajo.join(t,"src\\auto-config.ts")||"",modulesDir:e.modulesDir||pajoExports.Pajo.join(t,"src\\modules")||"",rootConfigPath:e.rootConfigPath||pajoExports.Pajo.join(t,"config.json")||""}}generate(){return __awaiter(this,void 0,void 0,function*(){yield this.discoverModules(),yield this.generateAutoConfigFile()})}discoverModules(){return __awaiter(this,void 0,void 0,function*(){try{var e;if(fs.existsSync(this.config.modulesDir))for(e of fs.readdirSync(this.config.modulesDir,{withFileTypes:!0}).filter(e=>e.isDirectory()).map(e=>e.name)){var t=path.join(this.config.modulesDir,e,"config.json");fs.existsSync(t)&&this.modules.add(e)}}catch(e){}})}generateAutoConfigFile(){return __awaiter(this,void 0,void 0,function*(){var e=path.dirname(this.config.outputFile),e=(fs.existsSync(e)||fs.mkdirSync(e,{recursive:!0}),this.generateFileContent());fs.writeFileSync(this.config.outputFile,e,"utf-8")})}generateFileContent(){let{rootConfigPath:e,modulesDir:r}=this.config;var t=Array.from(this.modules).sort(),n=fs.existsSync(e)?
|
|
379
|
+
export default translations;`}generateTypeDefinitions(){if(0===this.keys.length)return"string";let r={};return this.keys.forEach(e=>{var t=e.module||"core";r[t]||(r[t]=[]),r[t].push(e.key)}),Object.entries(r).map(([e,t])=>{t=t.filter((e,t,r)=>r.indexOf(e)===t).map(e=>`"${e}"`).join(" | ");return"core"===e?t:e+":"+t}).join(" | ")}}function TranslationInitiator(){return __awaiter(this,arguments,void 0,function*(e=__dirname$2){new TranslationGenerator({},e).generate().then(()=>{}).catch(e=>{})})}let __filename$1=url.fileURLToPath("undefined"==typeof document?require("url").pathToFileURL(__filename).href:_documentCurrentScript&&"SCRIPT"===_documentCurrentScript.tagName.toUpperCase()&&_documentCurrentScript.src||new URL("index.js",document.baseURI).href),__dirname$1=path.dirname(__filename$1);class ConfigGenerator{constructor(e={},t=__dirname$1){this.modules=new Set,this.config={srcDir:e.srcDir||pajoExports.Pajo.join(t,"src")||"",outputFile:e.outputFile||pajoExports.Pajo.join(t,"src\\auto-config.ts")||"",modulesDir:e.modulesDir||pajoExports.Pajo.join(t,"src\\modules")||"",rootConfigPath:e.rootConfigPath||pajoExports.Pajo.join(t,"config.json")||"",projectRoot:e.projectRoot||t||""}}generate(){return __awaiter(this,void 0,void 0,function*(){yield this.discoverModules(),yield this.generateAutoConfigFile()})}discoverModules(){return __awaiter(this,void 0,void 0,function*(){try{var e;if(fs.existsSync(this.config.modulesDir))for(e of fs.readdirSync(this.config.modulesDir,{withFileTypes:!0}).filter(e=>e.isDirectory()).map(e=>e.name)){var t=path.join(this.config.modulesDir,e,"config.json");fs.existsSync(t)&&this.modules.add(e)}}catch(e){}})}generateAutoConfigFile(){return __awaiter(this,void 0,void 0,function*(){var e=path.dirname(this.config.outputFile),e=(fs.existsSync(e)||fs.mkdirSync(e,{recursive:!0}),this.generateFileContent());fs.writeFileSync(this.config.outputFile,e,"utf-8")})}getRelativeImportPath(e){var t=path.dirname(this.config.outputFile);let r=path.relative(t,e).replace(/\\/g,"/");return r=(r=r.startsWith(".")||r.startsWith("/")?r:"./"+r).replace(/\.json$/,"")}generateFileContent(){let{rootConfigPath:e,modulesDir:r}=this.config;var t=Array.from(this.modules).sort(),n=fs.existsSync(e),i=n?this.getRelativeImportPath(e):null,n=n&&i?` 'app': (() => import('${i}').then(module => module.default || module))`:" 'app': (() => Promise.resolve({}))",i=t.map(e=>{var t=path.join(r,e,"config.json");return fs.existsSync(t)?` '${e}': (() => import('${this.getRelativeImportPath(t)}').then(module => module.default || module))`:` '${e}': (() => Promise.resolve({}))`}).join(",\n");return`export const configs = {
|
|
380
380
|
'base': {
|
|
381
381
|
${n}
|
|
382
382
|
},
|
|
383
383
|
'modules': {
|
|
384
|
-
${0<
|
|
384
|
+
${0<i.length?i:" // No modules with config.json found"}
|
|
385
385
|
}
|
|
386
386
|
};
|
|
387
387
|
|
|
388
|
-
export default configs;`}}function ConfigInitiator(){return __awaiter(this,arguments,void 0,function*(e=__dirname$1){new ConfigGenerator({},e).generate().then(()=>{}).catch(e=>{})})}function index(e=__dirname){TranslationInitiator(e),ConfigInitiator(e)}
|
|
388
|
+
export default configs;`}}function ConfigInitiator(){return __awaiter(this,arguments,void 0,function*(e=__dirname$1){new ConfigGenerator({},e).generate().then(()=>{}).catch(e=>{})})}function index(e=__dirname){TranslationInitiator(e),ConfigInitiator(e)}module.exports=index;
|
|
389
389
|
//# sourceMappingURL=index.min.js.map
|
package/package.json
CHANGED
|
@@ -3,7 +3,7 @@
|
|
|
3
3
|
"publishConfig": {
|
|
4
4
|
"access": "public"
|
|
5
5
|
},
|
|
6
|
-
"version": "0.0.
|
|
6
|
+
"version": "0.0.5",
|
|
7
7
|
"description": "INITIATOR est un système de gestion de configuration modulaire pour les applications React avec TypeScript/JavaScript. Il fournit une gestion centralisée des configurations, un chargement dynamique des modules, et une intégration transparente avec les variables d'environnement.",
|
|
8
8
|
"main": "index.js",
|
|
9
9
|
"keywords": [],
|